diff --git a/androidNode/build.gradle.kts b/androidNode/build.gradle.kts index 814bccb3..ffa1a3b0 100644 --- a/androidNode/build.gradle.kts +++ b/androidNode/build.gradle.kts @@ -56,7 +56,7 @@ kotlin { "src/androidMain/kotlin", "${layout.buildDirectory}/generated/source/proto/debug/java", "${layout.buildDirectory}/generated/source/proto/release/java", - "${layout.buildDirectory}/generated/commonMain" + //"${layout.buildDirectory}/generated/commonMain" ) } } diff --git a/shared/domain/build.gradle.kts b/shared/domain/build.gradle.kts index ac2a44a2..eaa7d0ef 100644 --- a/shared/domain/build.gradle.kts +++ b/shared/domain/build.gradle.kts @@ -1,3 +1,4 @@ +import java.io.InputStreamReader import java.util.Properties import kotlin.io.path.Path @@ -73,22 +74,22 @@ kotlin { } sourceSets { - val commonMain by getting { - kotlin.srcDir("build/generated/commonMain") - } + /* val commonMain by getting { + kotlin.srcDir("build/generated/commonMain") + } - val androidMain by getting { - dependsOn(commonMain) - } - val iosX64Main by getting { - dependsOn(commonMain) - } - val iosArm64Main by getting { - dependsOn(commonMain) - } - val iosSimulatorArm64Main by getting { - dependsOn(commonMain) - } + val androidMain by getting { + dependsOn(commonMain) + } + val iosX64Main by getting { + dependsOn(commonMain) + } + val iosArm64Main by getting { + dependsOn(commonMain) + } + val iosSimulatorArm64Main by getting { + dependsOn(commonMain) + }*/ androidMain.dependencies { implementation(libs.androidx.activity.compose) @@ -176,81 +177,91 @@ android { tasks.withType { duplicatesStrategy = DuplicatesStrategy.EXCLUDE } + // Create a task class to ensure proper serialization for configuration cache compatibility abstract class GenerateResourceBundlesTask : DefaultTask() { @get:InputDirectory abstract val inputDir: DirectoryProperty - @get:OutputFile - abstract val outputFile: RegularFileProperty + @get:OutputDirectory + abstract val outputDir: DirectoryProperty @TaskAction fun generate() { val resourceDir = inputDir.asFile.get() - val outputFile = outputFile.asFile.get() val bundleNames: List = listOf( "default", "application", "bisq_easy", "reputation", - // "trade_apps", // Not used - // "academy", // Not used "chat", "support", "user", "network", "settings", - // "wallet", // Not used - // "authorized_role", // Not used "payment_method", "offer", "mobile" // custom for mobile client ) + val languageCodes = listOf("en", "af_ZA", "cs", "de", "es", "it", "pcm", "pt_BR", "ru") + val bundlesByCode: Map> = languageCodes.associateWith { languageCode -> - bundleNames.map { bundleName -> + bundleNames.mapNotNull { bundleName -> val code = if (languageCode.lowercase() == "en") "" else "_$languageCode" val fileName = "$bundleName$code.properties" var file = Path(resourceDir.path, fileName).toFile() + if (!file.exists()) { - // If no translation file we fall back to english default properties + // Fall back to English default properties if no translation file file = Path(resourceDir.path, "$bundleName.properties").toFile() + if (!file.exists()) { + logger.warn("File not found: ${file.absolutePath}") + return@mapNotNull null // Skip missing files + } } + val properties = Properties() - properties.load(file.inputStream()) + + // Use InputStreamReader to ensure UTF-8 encoding + file.inputStream().use { inputStream -> + InputStreamReader(inputStream, Charsets.UTF_8).use { reader -> + properties.load(reader) + } + } + val map = properties.entries.associate { it.key.toString() to it.value.toString() } ResourceBundle(map, bundleName, languageCode) - } } - val generatedCode = StringBuilder().apply { - appendLine("package network.bisq.mobile.i18n") - appendLine() - appendLine("// Auto-generated file. Do not modify manually.") - appendLine("object GeneratedResourceBundles {") - appendLine(" val bundlesByCode = mapOf(") - } + bundlesByCode.forEach { (languageCode, bundles) -> - generatedCode.appendLine(" \"$languageCode\" to mapOf(") - bundles.forEach { bundle -> - generatedCode.appendLine(" \"${bundle.bundleName}\" to mapOf(") - // "default" to mapOf( - bundle.map.forEach { (key, value) -> - val escapedValue = value - .replace("\\", "\\\\") // Escape backslashes - .replace("\"", "\\\"") // Escape double quotes - .replace("\n", "\\n") // Escape newlines - generatedCode.appendLine(" \"$key\" to \"$escapedValue\",") + val outputFile: File = outputDir.get().file("GeneratedResourceBundles_$languageCode.kt").asFile + val generatedCode = StringBuilder().apply { + appendLine("package network.bisq.mobile.i18n") + appendLine() + appendLine("// Auto-generated file. Do not modify manually.") + appendLine("object GeneratedResourceBundles_$languageCode {") + appendLine(" val bundles = mapOf(") + bundles.forEach { bundle -> + appendLine(" \"${bundle.bundleName}\" to mapOf(") + bundle.map.forEach { (key, value) -> + val escapedValue = value + .replace("\\", "\\\\") // Escape backslashes + .replace("\"", "\\\"") // Escape double quotes + .replace("\n", "\\n") // Escape newlines + appendLine(" \"$key\" to \"$escapedValue\",") + } + appendLine(" ),") } - generatedCode.appendLine(" ),") + appendLine(" )") + appendLine("}") } - generatedCode.appendLine(" ),") + + outputFile.parentFile.mkdirs() + outputFile.writeText(generatedCode.toString(), Charsets.UTF_8) } - generatedCode.appendLine(" )") - generatedCode.appendLine("}") - outputFile.parentFile.mkdirs() - outputFile.writeText(generatedCode.toString()) } data class ResourceBundle(val map: Map, val bundleName: String, val languageCode: String) @@ -260,9 +271,12 @@ tasks.register("generateResourceBundles") { group = "build" description = "Generate a Kotlin file with hardcoded ResourceBundle data" inputDir.set(layout.projectDirectory.dir("src/commonMain/resources/mobile")) - outputFile.set(layout.buildDirectory.file("generated/commonMain/network/bisq/mobile/i18n/GeneratedResourceBundles.kt")) + // Using build dir still not working on iOS + // Thus we use the source dir as target + outputDir.set(layout.projectDirectory.dir("src/commonMain/kotlin/network/bisq/mobile/i18n")) + //outputDir.set(layout.buildDirectory.dir("generated/commonMain/network/bisq/mobile/i18n/")) } -tasks.withType().configureEach { +/*tasks.withType().configureEach { dependsOn("generateResourceBundles") -} +}*/ diff --git a/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/GeneratedResourceBundles_af_ZA.kt b/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/GeneratedResourceBundles_af_ZA.kt new file mode 100644 index 00000000..6149d9bf --- /dev/null +++ b/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/GeneratedResourceBundles_af_ZA.kt @@ -0,0 +1,1368 @@ +package network.bisq.mobile.i18n + +// Auto-generated file. Do not modify manually. +object GeneratedResourceBundles_af_ZA { + val bundles = mapOf( + "default" to mapOf( + "action.exportAsCsv" to "Eksporteer as CSV", + "action.learnMore" to "Leer meer", + "action.save" to "Stoor", + "component.marketPrice.provider.BISQAGGREGATE" to "Bisq prys aggregateur", + "offer.maker" to "Maker", + "offer.buyer" to "Koperaar", + "component.marketPrice.requesting" to "Versoek markprys", + "component.standardTable.numEntries" to "Aantal inskrywings: {0}", + "offer.createOffer" to "Skep aanbod", + "action.close" to "Sluit", + "validation.tooLong" to "Invoerteks mag nie langer wees as {0} karakters nie", + "component.standardTable.filter.tooltip" to "Filtreer volgens {0}", + "temporal.age" to "Ouderdom", + "data.noDataAvailable" to "Geen data beskikbaar", + "action.goTo" to "Gaan na {0}", + "action.next" to "Volgende", + "offer.buying" to "koop", + "offer.price.above" to "boonste", + "offer.buy" to "koop", + "offer.taker" to "Taker", + "validation.password.notMatching" to "Die 2 wagwoorde wat jy ingevoer het, stem nie ooreen nie", + "action.delete" to "Verwyder", + "component.marketPrice.tooltip.isStale" to "\nWAARSKUWING: Markprys is verouderd!", + "action.shutDown" to "Skakel af", + "component.priceInput.description" to "{0} prys", + "component.marketPrice.source.PROPAGATED_IN_NETWORK" to "Gepropageer deur orakel-knoop: {0}", + "validation.password.tooShort" to "Die wagwoord wat u ingevoer het, is te kort. Dit moet ten minste 8 karakters bevat.", + "validation.invalidLightningInvoice" to "Die Lightning-faktuur blyk ongeldig te wees", + "action.back" to "Terug", + "offer.selling" to "verkoping", + "action.editable" to "Wysigbaar", + "offer.takeOffer.buy.button" to "Koop Bitcoin", + "validation.invalidNumber" to "Invoer is nie 'n geldige nommer nie", + "action.search" to "Soek", + "validation.invalid" to "Ongeldige invoer", + "component.marketPrice.source.REQUESTED_FROM_PRICE_NODE" to "Versoek vanaf: {0}", + "validation.invalidBitcoinAddress" to "Die Bitcoin adres blyk ongeldig te wees", + "temporal.year.1" to "{0} jaar", + "confirmation.no" to "Nee", + "validation.invalidLightningPreimage" to "Die Lightning prebeeld blyk ongeldig te wees", + "temporal.day.1" to "{0} dag", + "component.standardTable.filter.showAll" to "Wys alles", + "temporal.year.*" to "{0} jare", + "data.add" to "Voeg", + "offer.takeOffer.sell.button" to "Verkoop Bitcoin", + "component.marketPrice.source.PERSISTED" to "Geen mark data nog ontvang nie. Gebruik volgehoue data.", + "action.copyToClipboard" to "Kopieer na klembord", + "confirmation.yes" to "Ja", + "offer.sell" to "verkoop", + "action.react" to "Reageer", + "temporal.day.*" to "{0} dae", + "temporal.at" to "by", + "component.standardTable.csv.plainValue" to "{0}", + "offer.seller" to "Verkoper", + "temporal.date" to "Datum", + "action.iUnderstand" to "Ek verstaan", + "component.priceInput.prompt" to "Voer prys in", + "confirmation.ok" to "OK", + "action.dontShowAgain" to "Moet nie weer wys nie", + "action.cancel" to "Kanselleer", + "offer.amount" to "Bedrag", + "action.edit" to "Wysig", + "offer.deleteOffer" to "Verwyder my aanbod", + "data.remove" to "Verwyder", + "data.false" to "Vals", + "offer.price.below" to "onder", + "data.na" to "N/A", + "action.expandOrCollapse" to "Klik om te vernou of uit te brei", + "data.true" to "Waar", + "validation.invalidBitcoinTransactionId" to "Die Bitcoin transaksie-ID blyk ongeldig te wees", + "component.marketPrice.tooltip" to "{0}\nOpgedate: {1} gelede\nOntvang op: {2}{3}", + "validation.empty" to "Leë string nie toegelaat", + "validation.invalidPercentage" to "Invoer is nie 'n geldige persentasiewaarde nie", + ), + "application" to mapOf( + "onboarding.createProfile.nickName" to "Profiel bynaam", + "notificationPanel.mediationCases.headline.single" to "Nuwe boodskap vir bemiddelingsgeval met handel-ID ''{0}''", + "popup.reportBug" to "Rapporteer fout aan Bisq-ontwikkelaars", + "tac.reject" to "Verwerp en verlaat toepassing", + "dashboard.activeUsers.tooltip" to "Profiele bly gepubliseer op die netwerk\nas die gebruiker in die laaste 15 dae aanlyn was.", + "popup.hyperlink.openInBrowser.tooltip" to "Open skakel in blaaiers: {0}.", + "navigation.reputation" to "Reputasie", + "navigation.settings" to "Instellings", + "updater.downloadLater" to "Laai later af", + "splash.bootstrapState.SERVICE_PUBLISHED" to "{0} gepubliseer", + "updater.downloadAndVerify.info.isLauncherUpdate" to "Sodra al die lêers afgelaai is, word die ondertekeningssleutel vergelyk met die sleutels wat in die toepassing verskaf is en diegene wat op die Bisq-webwerf beskikbaar is. Hierdie sleutel word dan gebruik om die afgelaaide nuwe Bisq-installer te verifieer. Nadat die aflaai en verifikasie voltooi is, navigeer na die aflaai-gids om die nuwe Bisq-weergawe te installeer.", + "dashboard.offersOnline" to "Aanbiedinge aanlyn", + "onboarding.password.button.savePassword" to "Stoor wagwoord", + "popup.headline.instruction" to "Neem asseblief kennis:", + "updater.shutDown.isLauncherUpdate" to "Open aflaai-gids en sluit af", + "updater.ignore" to "Ignore hierdie weergawe", + "navigation.dashboard" to "Dashboard", + "onboarding.createProfile.subTitle" to "Jou publieke profiel bestaan uit 'n bynaam (gepick deur jou) en 'n bot-ikoon (kriptografies gegenereer)", + "onboarding.createProfile.headline" to "Skep jou profiel", + "popup.headline.warning" to "Waarskuwing", + "popup.reportBug.report" to "Bisq weergawe: {0}\nBedryfstelsel: {1}\nFoutboodskap:\n{2}", + "splash.bootstrapState.network.I2P" to "I2P", + "unlock.failed" to "Kon nie ontgrendel met die verskafde wagwoord nie.\n\nProbeer weer en maak seker dat die caps lock gedeaktiveer is.", + "popup.shutdown" to "Afsluiting is in proses.\n\nDit mag tot {0} sekondes neem totdat die afsluiting voltooi is.", + "splash.bootstrapState.service.TOR" to "Uie-diens", + "navigation.expandIcon.tooltip" to "Verbreed spyskaart", + "updater.downloadAndVerify.info" to "Sodra al die lêers afgelaai is, word die ondertekening sleutel vergelyk met die sleutels wat in die aansoek verskaf is en diegene wat op die Bisq-webwerf beskikbaar is. Hierdie sleutel word dan gebruik om die afgelaaide nuwe weergawe ('desktop.jar') te verifieer.", + "popup.headline.attention" to "Aandag", + "onboarding.password.headline.setPassword" to "Stel wagwoordbeskerming in", + "unlock.button" to "Ontsluit", + "splash.bootstrapState.START_PUBLISH_SERVICE" to "Begin om te publiseer {0}", + "onboarding.bisq2.headline" to "Welkom by Bisq 2", + "dashboard.marketPrice" to "Laatste markprys", + "popup.hyperlink.copy.tooltip" to "Kopieer skakel: {0}.", + "navigation.bisqEasy" to "Bisq Easy", + "navigation.network.info.i2p" to "I2P", + "dashboard.third.button" to "Bou Reputasie", + "popup.headline.error" to "Fout", + "video.mp4NotSupported.warning" to "U kan die video in u blaaier kyk by: [HYPERLINK:{0}]", + "updater.downloadAndVerify.headline" to "Laai nuwe weergawe af en verifieer", + "tac.headline" to "Gebruikersooreenkoms", + "splash.applicationServiceState.INITIALIZE_SERVICES" to "Dienste inisialiseer", + "onboarding.password.enterPassword" to "Voer wagwoord in (min. 8 karakters)", + "splash.details.tooltip" to "Klik om besonderhede te wys/versteek", + "navigation.network" to "Netwerk", + "dashboard.main.content3" to "Sekuriteit is gebaseer op die verkoper se reputasie", + "dashboard.main.content2" to "Geselskap gebaseerde en geleide gebruikerskoppelvlak vir handel", + "splash.applicationServiceState.INITIALIZE_WALLET" to "Beursie inisialiseer", + "onboarding.password.subTitle" to "Stel nou wagwoordbeskerming op of slaat dit oor en doen dit later in 'Gebruikersopsies/Wagwoord'.", + "dashboard.main.content1" to "Begin handel of blaai deur oop aanbiedinge in die aanbodboek", + "navigation.vertical.collapseIcon.tooltip" to "Vouw submenu in", + "splash.bootstrapState.network.TOR" to "Tor", + "splash.bootstrapState.service.CLEAR" to "Bediener", + "splash.bootstrapState.CONNECTED_TO_PEERS" to "Verbinde met vennote", + "splash.bootstrapState.service.I2P" to "I2P Diens", + "popup.reportError.zipLogs" to "Zip log lêers", + "updater.furtherInfo.isLauncherUpdate" to "Hierdie opdatering vereis 'n nuwe Bisq installasie.\nAs jy probleme ondervind wanneer jy Bisq op macOS installeer, lees asseblief die instruksies by:", + "navigation.support" to "Ondersteuning", + "updater.table.progress.completed" to "Voltooi", + "updater.headline" to "'n nuwe Bisq opdatering is beskikbaar", + "notificationPanel.trades.button" to "Gaan na 'My oop transaksies'", + "popup.headline.feedback" to "Voltooi", + "tac.confirm" to "Ek het gelees en verstaan", + "navigation.collapseIcon.tooltip" to "Minimaliseer spyskaart", + "updater.shutDown" to "Skakel af", + "popup.headline.backgroundInfo" to "Agtergrondinligting", + "splash.applicationServiceState.FAILED" to "Opstart het het mislukte", + "navigation.userOptions" to "Gebruikersopsies", + "updater.releaseNotesHeadline" to "Vrystellingsnotas vir weergawe {0}:", + "splash.bootstrapState.BOOTSTRAP_TO_NETWORK" to "Bootstrap na {0} netwerk", + "navigation.vertical.expandIcon.tooltip" to "Brei submenu uit", + "topPanel.wallet.balance" to "Balans", + "navigation.network.info.tooltip" to "{0} netwerk\nAantal verbindings: {1}\nTeiken verbindings: {2}", + "video.mp4NotSupported.warning.headline" to "Ingebedde video kan nie afgespeel word", + "navigation.wallet" to "Beursie", + "onboarding.createProfile.regenerate" to "Genereer nuwe bot-ikoon", + "splash.applicationServiceState.INITIALIZE_NETWORK" to "Inisialiseer P2P netwerk", + "updater.table.progress" to "Aflaaig vooruitgang", + "navigation.network.info.inventoryRequests.tooltip" to "Netwerk data versoek toestand:\nAantal hangende versoeke: {0}\nMax. versoeke: {1}\nAlle data ontvang: {2}", + "onboarding.createProfile.createProfile.busy" to "Netwerk node inisialiseer...", + "dashboard.second.button" to "Verken handel protokolle", + "dashboard.activeUsers" to "Gepubliseerde gebruikersprofiele", + "hyperlinks.openInBrowser.attention.headline" to "Open webskakel", + "dashboard.main.headline" to "Kry jou eerste BTC", + "popup.headline.invalid" to "Ongeldige invoer", + "popup.reportError.gitHub" to "Rapporteer aan Bisq GitHub-bewaarplek", + "navigation.network.info.inventoryRequest.requesting" to "Versoek netwerkdata", + "popup.headline.information" to "Inligting", + "navigation.network.info.clearNet" to "Duidelike-net", + "dashboard.third.headline" to "Bou reputasie op", + "tac.accept" to "Aanvaar gebruikersooreenkoms", + "updater.furtherInfo" to "Hierdie opdatering sal gelaai word na herstart en vereis nie 'n nuwe installasie nie.\nMeer besonderhede kan gevind word op die vrystellingsbladsy by:", + "onboarding.createProfile.nym" to "Bot-ID:", + "popup.shutdown.error" to "'n fout het voorgekom tydens afsluiting: {0}.", + "navigation.authorizedRole" to "Geautoriseerde rol", + "onboarding.password.confirmPassword" to "Bevestig wagwoord", + "hyperlinks.openInBrowser.attention" to "Wil jy die skakel na `{0}` in jou standaard webblaaier oopmaak?", + "onboarding.password.button.skip" to "Slaan oor", + "popup.reportError.log" to "Open loglêer", + "dashboard.main.button" to "Voer Bisq Easy in", + "updater.download" to "Aflaai en verifieer", + "dashboard.third.content" to "Wil jy Bitcoin op Bisq Easy verkoop? Leer hoe die Reputasie-stelsel werk en hoekom dit belangrik is.", + "hyperlinks.openInBrowser.no" to "Nee, kopieer skakel", + "splash.applicationServiceState.APP_INITIALIZED" to "Bisq het begin", + "navigation.academy" to "Leer meer", + "navigation.network.info.inventoryRequest.completed" to "Netwerkdata ontvang", + "onboarding.createProfile.nickName.prompt" to "Kies jou bynaam", + "popup.startup.error" to "Daar het 'n fout voorgekom tydens die inisialiseer van Bisq: {0}.", + "version.versionAndCommitHash" to "Weergawe: v{0} / Toesluit hash: {1}", + "onboarding.bisq2.teaserHeadline1" to "Bied Bisq Easy aan", + "onboarding.bisq2.teaserHeadline3" to "Binnekort", + "onboarding.bisq2.teaserHeadline2" to "Leer & ontdek", + "dashboard.second.headline" to "Meervoudige handel protokolle", + "splash.applicationServiceState.INITIALIZE_APP" to "Begin Bisq", + "unlock.headline" to "Voer wagwoord in om te ontgrendel", + "onboarding.password.savePassword.success" to "Wagwoordbeskerming geaktiveer.", + "notificationPanel.mediationCases.button" to "Gaan na 'Bemiddelaar'", + "onboarding.bisq2.line2" to "Kry 'n sagte inleiding tot Bitcoin\ndeur ons gidse en gemeenskap gesels.", + "onboarding.bisq2.line3" to "Kies hoe om te handel: Bisq MuSig, Lightning, Submarine Swaps,...", + "splash.bootstrapState.network.CLEAR" to "Maak net skoon", + "updater.headline.isLauncherUpdate" to "'n nuwe Bisq installer is beskikbaar", + "notificationPanel.mediationCases.headline.multiple" to "Nuwe boodskappe vir bemiddeling", + "onboarding.bisq2.line1" to "Om jou eerste Bitcoin privaat te kry\nwas nog nooit makliker nie.", + "notificationPanel.trades.headline.single" to "Nuwe handel boodskap vir handel ''{0}''", + "popup.headline.confirmation" to "Bevestiging", + "onboarding.createProfile.createProfile" to "Volgende", + "onboarding.createProfile.nym.generating" to "Bereken bewys van werk...", + "hyperlinks.copiedToClipboard" to "Skakel is na die klembord gekopieer", + "updater.table.verified" to "Handtekening geverifieer", + "navigation.tradeApps" to "Handel protokolle", + "navigation.chat" to "Gesels", + "dashboard.second.content" to "Kyk na die padkaart vir komende handel protokolle. Kry 'n Oorsig oor die kenmerke van die verskillende protokolle.", + "navigation.network.info.tor" to "Tor", + "updater.table.file" to "Lêer", + "onboarding.createProfile.nickName.tooLong" to "Bynaam mag nie langer wees as {0} karakters nie", + "popup.reportError" to "Om ons te help om die sagteware te verbeter, rapporteer asseblief hierdie fout deur 'n nuwe probleem oop te maak by: 'https://github.com/bisq-network/bisq2/issues'.\nDie foutboodskap sal na die klembord gekopieer word wanneer jy op die 'rapporteer' knoppie hieronder klik.\n\nDit sal foutopsporing makliker maak as jy loglêers in jou foutverslag insluit. Loglêers bevat nie sensitiewe data nie.", + "notificationPanel.trades.headline.multiple" to "Nuwe handel boodskappe", + ), + "bisq_easy" to mapOf( + "bisqEasy.tradeState.info.seller.phase2b.tradeLogMessage" to "{0} het die ontvangs van {1} bevestig", + "bisqEasy.tradeWizard.paymentMethods.warn.customPaymentMethodAlreadyExists" to "'n Aangepaste betalingmetode met die naam {0} bestaan reeds.", + "bisqEasy.takeOffer.amount.seller.limitInfo.lowToleratedAmount" to "Aangesien die handelsbedrag onder {0} is, word reputasievereistes verslap.", + "bisqEasy.onboarding.watchVideo.tooltip" to "Kyk na die ingebedde inleiding video", + "bisqEasy.takeOffer.paymentMethods.headline.fiat" to "Watter betalingmetode wil jy gebruik?", + "bisqEasy.walletGuide.receive" to "Ontvang", + "bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMin.overlay.info" to "Die verkoper se reputasie-telling van {0} bied nie voldoende sekuriteit vir daardie aanbod nie.\n\nDit word aanbeveel om laer bedrae te handel met herhaalde transaksies of met verkopers wat 'n hoër reputasie het. As jy besluit om voort te gaan ten spyte van die gebrek aan die verkoper se reputasie, verseker dat jy ten volle bewus is van die gepaardgaande risiko's. Bisq Easy se sekuriteitsmodel is gebaseer op die verkoper se reputasie, aangesien die koper eers fiat-geld moet stuur.", + "bisqEasy.offerbook.marketListCell.favourites.maxReached.popup" to "Daar is net plek vir 5 gunstelinge. Verwyder 'n gunsteling en probeer weer.", + "bisqEasy.dashboard" to "Aan die gang kom", + "bisqEasy.tradeWizard.amount.seller.limitInfo.noReputationNeededForMaxOrFixedAmount.overlay.info.scoreTooLow" to "Vir bedrae tot {0} is die reputasievereistes verslap.\n\nJou reputasie-telling van {1} bied nie voldoende sekuriteit vir kopers nie. Tog, gegewe die lae bedrag, mag kopers steeds oorweeg om die aanbod te aanvaar sodra hulle bewus gemaak word van die gepaardgaande risiko's.\n\nJy kan inligting vind oor hoe om jou reputasie te verhoog by ''Reputasie/Bou Reputasie''.", + "bisqEasy.price.feedback.sentence.veryGood" to "baie goed", + "bisqEasy.walletGuide.createWallet" to "Nuwe beursie", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.description" to "Webcam verbindsstaat", + "bisqEasy.tradeWizard.review.sellerPaysMinerFeeLong" to "Die verkoper betaal die mynboufooi", + "bisqEasy.tradeState.info.buyer.phase2b.headline" to "Wag vir die verkoper om die ontvangs van betaling te bevestig", + "bisqEasy.tradeWizard.paymentMethods.bitcoin.subTitle.seller" to "Kies die skikkingsmetodes om Bitcoin te stuur", + "bisqEasy.tradeState.info.seller.phase3a.bitcoinPayment.description.LN" to "Lightning faktuur", + "bisqEasy.tradeCompleted.body.copy.explorerLink.tooltip" to "Kopieer blok verkenner transaksie skakel", + "bisqEasy.tradeWizard.amount.headline.seller" to "Hoeveel wil jy ontvang?", + "bisqEasy.openTrades.table.direction.buyer" to "Koop van:", + "bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.inSufficientScore" to "Met 'n reputasie-telling van {0} is die sekuriteit wat jy bied onvoldoende vir handels oor {1}.\n\nJy kan steeds sulke aanbiedinge skep, maar kopers sal gewaarsku word oor moontlike risiko's wanneer hulle probeer om jou aanbod te aanvaar.\n\nJy kan inligting vind oor hoe om jou reputasie te verhoog by ''Reputasie/Bou Reputasie''.", + "bisqEasy.tradeWizard.paymentMethods.customMethod.prompt" to "Pasgemaakte betaling", + "bisqEasy.tradeState.info.phase4.leaveChannel" to "Sluit handel", + "bisqEasy.tradeWizard.directionAndMarket.headline" to "Wil jy Bitcoin koop of verkoop met", + "bisqEasy.tradeWizard.review.chatMessage.price" to "Prys:", + "bisqEasy.tradeWizard.paymentMethods.bitcoin.subTitle.buyer" to "Kies die vereffeningmetodes om Bitcoin te ontvang", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.headline.LN" to "Vul jou Lightning faktuur in", + "bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage" to "{0} het Bitcoin oordrag inisieer. {1}: ''{2}''", + "bisqEasy.openTrades.table.baseAmount" to "Bedrag in BTC", + "bisqEasy.openTrades.tradeLogMessage.cancelled" to "{0} het handel gekanselleer", + "bisqEasy.openTrades.inMediation.info" to "'n Bemiddelaar het by die handel geselskap aangesluit. Gebruik asseblief die handel geselskap hieronder om hulp van die bemiddelaar te kry.", + "bisqEasy.onboarding.right.button" to "Open aanbodboek", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.imageRecognized" to "Webcam gekoppel", + "bisqEasy.tradeState.info.buyer.phase2a.sellersAccount" to "Betalingrekening van verkoper", + "bisqEasy.tradeWizard.amount.numOffers.0" to "is geen aanbod", + "bisqEasy.offerbook.markets.ExpandedList.Tooltip" to "Krimp Markte", + "bisqEasy.openTrades.cancelTrade.warning.seller" to "Aangesien die uitruil van rekeningbesonderhede begin het, kan die handel nie gekanselleer word sonder die koper se {0}", + "bisqEasy.tradeCompleted.body.tradePrice" to "Handel prys", + "bisqEasy.tradeWizard.amount.numOffers.*" to "is {0} aanbiedinge", + "bisqEasy.tradeWizard.review.chatMessage.peerMessageTitle.buy" to "Koop Bitcoin van", + "bisqEasy.walletGuide.intro.content" to "In Bisq Easy, die Bitcoin wat jy ontvang, gaan regstreeks na jou sak sonder enige bemiddelaars. Dit is 'n groot voordeel, maar dit beteken ook dat jy 'n beursie moet hê wat jy self beheer om dit te ontvang!\n\nIn hierdie vinnige beursiegids, sal ons jou in 'n paar eenvoudige stappe wys hoe jy 'n eenvoudige beursie kan skep. Hiermee sal jy in staat wees om jou vars gekoopte Bitcoin te ontvang en te stoor.\n\nAs jy reeds vertroud is met on-chain beursies en een het, kan jy hierdie gids oorslaan en eenvoudig jou beursie gebruik.", + "bisqEasy.openTrades.rejected.peer" to "Jou handel bemiddelaar het die handel verwerp", + "bisqEasy.offerbook.offerList.table.columns.settlementMethod" to "Nederlaag", + "bisqEasy.topPane.closeFilter" to "Sluit filter", + "bisqEasy.tradeWizard.amount.numOffers.1" to "is een aanbod", + "bisqEasy.component.amount.baseSide.tooltip.btcAmount.selectedPrice" to "Dit is die Bitcoin bedrag met jou geselekteerde prys.", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.subHeadline" to "Daar is geen aanbiedinge beskikbaar vir jou seleksiekriteria nie.", + "bisqEasy.openTrades.chat.detach" to "Verlaat", + "bisqEasy.offerbook.offerList.table.columns.price.tooltip.marketPrice" to "Markprys: {0}", + "bisqEasy.openTrades.table.tradeId" to "Handel-ID", + "bisqEasy.tradeWizard.market.columns.name" to "Fiat geldeenheid", + "bisqEasy.offerbook.offerList.table.filters.offerDirection.sellTo" to "Verkoop aan", + "bisqEasy.tradeWizard.directionAndMarket.feedback.tradeWithoutReputation" to "Gaan voort sonder reputasie", + "bisqEasy.tradeWizard.paymentMethods.noneFound" to "Vir die geselekteerde mark is daar geen standaard betalingmetodes beskikbaar nie.\nVoeg asseblief in die teksveld hieronder die pasgemaakte betaling wat jy wil gebruik.", + "bisqEasy.tradeWizard.amount.seller.wizard.limitInfo" to "Met jou reputasie-telling van {0} kan jy tot handel.", + "bisqEasy.price.feedback.sentence.veryLow" to "baie laag", + "bisqEasy.tradeWizard.review.noTradeFeesLong" to "Daar is geen handelsfooie in Bisq Easy", + "bisqEasy.tradeGuide.process.headline" to "Hoe werk die handel proses?", + "bisqEasy.mediator" to "Bemiddelaar", + "bisqEasy.price.headline" to "Wat is jou handel prys?", + "bisqEasy.tradeWizard.paymentMethods.warn.noFiatPaymentMethodSelected" to "Groot asseblief ten minste een fiat betalingmetode.", + "bisqEasy.tradeWizard.paymentMethods.fiat.subTitle.seller" to "Kies die betalingmetodes om {0} te ontvang", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.description.buyersPrice" to "Jou aanbodprys om Bitcoin te koop was {0}.", + "bisqEasy.tradeState.info.buyer.phase2a.confirmFiatSent" to "Bevestig betaling van {0}", + "bisqEasy.component.amount.minRangeValue" to "Min {0}", + "bisqEasy.offerbook.chatMessage.deleteMessage.confirmation" to "Is jy seker jy wil hierdie boodskap verwyder?", + "bisqEasy.tradeCompleted.body.copy.txId.tooltip" to "Kopieer transaksie-ID na klembord", + "bisqEasy.tradeWizard.amount.headline.buyer" to "Hoeveel wil jy spandeer?", + "bisqEasy.openTrades.closeTrade" to "Sluit handel", + "bisqEasy.openTrades.table.settlementMethod.tooltip" to "Bitcoin betalingsmetode: {0}", + "bisqEasy.openTrades.csv.quoteAmount" to "Bedrag in {0}", + "bisqEasy.tradeWizard.review.createOfferSuccess.headline" to "Aanbod suksesvol gepubliseer", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.all" to "Alles", + "bisqEasy.tradeState.info.buyer.phase1a.tradeLogMessage.MAIN_CHAIN" to "{0} het die Bitcoin adres ''{1}'' gestuur", + "bisqEasy.tradeWizard.directionAndMarket.feedback.subTitle1" to "Jy het nog nie enige reputasie gevestig nie. Vir Bitcoin-verkopers is dit noodsaaklik om reputasie op te bou, omdat kopers vereis word om fiat-geld eers in die handelproses te stuur, wat op die verkoper se integriteit staatmaak.\n\nHierdie reputasie-opbou proses is beter geskik vir ervare Bisq-gebruikers, en jy kan gedetailleerde inligting daaroor in die 'Reputasie' afdeling vind.", + "bisqEasy.tradeWizard.directionAndMarket.feedback.subTitle2" to "Terwyl dit moontlik is vir verkopers om te handel sonder (of onvoldoende) reputasie vir relatief lae bedrae tot {0}, is die waarskynlikheid om 'n handelspartner te vind aansienlik verminder. Dit is omdat kopers geneig is om te vermy om met verkopers te skakel wat reputasie ontbreek weens sekuriteitsrisiko's.", + "bisqEasy.tradeWizard.review.detailsHeadline.maker" to "Aanbod besonderhede", + "bisqEasy.walletGuide.download.headline" to "Aflaai jou beursie", + "bisqEasy.tradeWizard.selectOffer.headline.seller" to "Verkoop Bitcoin vir {0}", + "bisqEasy.offerbook.marketListCell.numOffers.one" to "{0} aanbod", + "bisqEasy.tradeWizard.amount.seller.wizard.limitInfo.overlay.info" to "Met 'n reputasie-telling van {0}, kan jy tot {1} handel.\n\nJy kan inligting vind oor hoe om jou reputasie te verhoog by ''Reputasie/Bou Reputasie''.", + "bisqEasy.tradeState.info.seller.phase3b.balance.prompt" to "Wag vir blockchain data...", + "bisqEasy.takeOffer.amount.buyer.limitInfo.minAmountCovered" to "Verkopers reputasie-telling van {0} bied sekuriteit tot", + "bisqEasy.tradeGuide.welcome" to "Oorsig", + "bisqEasy.offerbook.markets.CollapsedList.Tooltip" to "Brei Markte uit", + "bisqEasy.tradeGuide.welcome.headline" to "Hoe om op Bisq Easy te handel", + "bisqEasy.takeOffer.amount.description" to "Die aanbod laat jou toe om 'n handel bedrag te kies\ntussen {0} en {1}", + "bisqEasy.onboarding.right.headline" to "Vir ervare handelaars", + "bisqEasy.tradeState.info.buyer.phase3b.confirmButton.ln" to "Bevestig ontvangs", + "bisqEasy.walletGuide.download" to "Aflaai", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.description.sellersPrice" to "Tog, die verkoper bied jou 'n ander prys aan: {0}.", + "bisqEasy.offerbook.offerList.table.filters.paymentMethods.customPayments" to "Pasgemaakte betalings", + "bisqEasy.offerbook.offerList.table.columns.paymentMethod" to "Betaling", + "bisqEasy.takeOffer.progress.method" to "Betalingmetode", + "bisqEasy.tradeWizard.review.direction" to "{0} Bitcoin", + "bisqEasy.offerDetails.paymentMethods" to "Gesteunde betalingmetode(s)", + "bisqEasy.openTrades.closeTrade.warning.interrupted" to "Voordat jy die handel sluit, kan jy die handelsdata as 'n csv-lêer rugsteun indien nodig.\n\nSodra die handel gesluit is, is al die data verwant aan die handel weg, en jy kan nie meer met die handelspartner in die handel gesels nie.\n\nWil jy die handel nou sluit?", + "bisqEasy.tradeState.reportToMediator" to "Rapporteer aan bemiddelaar", + "bisqEasy.openTrades.table.price" to "Prys", + "bisqEasy.openTrades.chat.window.title" to "{0} - Geselskap met {1} / Handel-ID: {2}", + "bisqEasy.tradeCompleted.header.paymentMethod" to "Betalingmetode", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.nameZA" to "Naam Z-A", + "bisqEasy.tradeWizard.progress.review" to "Hersien", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.noReputationNeededForMaxOrFixedAmount" to "Verkopers sonder reputasie kan aanbiedings tot {0} aanvaar.", + "bisqEasy.tradeWizard.review.createOfferSuccess.subTitle" to "Jou aanbod is nou in die aanbodboek gelys. Wanneer 'n Bisq-gebruiker jou aanbod aanvaar, sal jy 'n nuwe handel in die 'My oop transaksies' afdeling vind.\n\nMaak seker om gereeld die Bisq-toepassing na nuwe boodskappe van 'n neem te kyk.", + "bisqEasy.openTrades.failed.popup" to "Die handel het gefaal weens 'n fout.\nFoutboodskap: {0}\n\nStapel spoor: {1}", + "bisqEasy.tradeWizard.paymentMethods.fiat.subTitle.buyer" to "Kies die betalingmetodes om {0} oor te dra", + "bisqEasy.tradeWizard.market.subTitle" to "Kies jou handel geldeenheid", + "bisqEasy.tradeWizard.review.sellerPaysMinerFee" to "Verkoper betaal die mynboufooi", + "bisqEasy.openTrades.chat.peerLeft.subHeadline" to "As die handel nie aan jou kant voltooi is nie en as jy hulp nodig het, kontak die bemiddelaar of besoek die ondersteuningsgesels.", + "bisqEasy.tradeState.info.seller.phase3a.qrCodeDisplay.openWindow" to "Open groter vertoning", + "bisqEasy.offerDetails.price" to "{0} aanbod prys", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.withOffers" to "Met aanbiedinge", + "bisqEasy.onboarding.left.button" to "Begin handel towenaar", + "bisqEasy.takeOffer.review.takeOffer" to "Bevestig om aanbod te neem", + "bisqEasy.tradeWizard.amount.limitInfo.overlay.close" to "Sluit oortjie", + "bisqEasy.tradeCompleted.title" to "Handel was suksesvol voltooi", + "bisqEasy.tradeState.info.buyer.phase3b.headline.MAIN_CHAIN" to "Die verkoper het die Bitcoin-betaling begin", + "bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.sufficientScore" to "Met 'n reputasie-telling van {0}, bied jy sekuriteit vir transaksies tot {1}.", + "bisqEasy.tradeGuide.rules" to "Handel reëls", + "bisqEasy.tradeState.info.phase3b.txId.tooltip" to "Open transaksie in blok verkenner", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.prompt.LN" to "Vul jou Lightning faktuur in", + "bisqEasy.openTrades.cancelTrade.warning.part2" to "toestemming kan beskou word as 'n oortreding van die handelsreëls en kan daartoe lei dat jou profiel van die netwerk geban word.\n\nAs die peer vir meer as 24 uur onreageerbaar was en daar geen betaling gemaak is nie, kan jy die handel sonder gevolge verwerp. Die aanspreeklikheid sal by die onreageerbare party rus.\n\nAs jy enige vrae het of probleme ondervind, moenie huiwer om jou handel-peer te kontak of hulp in die 'Ondersteuningsafdeling' te soek nie.\n\nAs jy glo dat jou handel-peer die handelsreëls oortree het, het jy die opsie om 'n bemiddelingsversoek te begin. 'n Bemiddelaar sal by die handel geselskap aansluit en werk aan die vind van 'n samewerkende oplossing.\n\nIs jy seker jy wil die handel kanselleer?", + "bisqEasy.tradeState.header.pay" to "Bedrag om te betaal", + "bisqEasy.tradeState.header.direction" to "Ek wil", + "bisqEasy.tradeState.info.buyer.phase1b.info" to "Jy kan die gesels hier onder gebruik om in aanraking te kom met die verkoper.", + "bisqEasy.openTrades.welcome.line1" to "Leer meer oor die sekuriteitsmodel van Bisq Easy", + "bisqEasy.tradeState.info.buyer.phase3b.tradeLogMessage.ln" to "{0} het bevestig dat hy die Bitcoin-betaling ontvang het", + "bisqEasy.tradeWizard.amount.description.minAmount" to "Stel die minimum waarde vir die bedrag reeks in", + "bisqEasy.onboarding.openTradeGuide" to "Lees die handel gids", + "bisqEasy.openTrades.welcome.line2" to "Sien hoe die handel proses werk", + "bisqEasy.price.warn.invalidPrice.outOfRange" to "Die prys wat jy ingevoer het, is buite die toegelate reeks van -10% tot 50%.", + "bisqEasy.openTrades.welcome.line3" to "Maak jouself vertroud met die handel reëls", + "bisqEasy.tradeState.bitcoinPaymentData.LN" to "Blits faktuur", + "bisqEasy.tradeState.info.seller.phase1.note" to "Let wel: U kan die gesels hieronder gebruik om in aanraking te kom met die koper voordat u u rekeningdata openbaar.", + "bisqEasy.tradeWizard.directionAndMarket.buy" to "Koop Bitcoin", + "bisqEasy.openTrades.confirmCloseTrade" to "Bevestig om handel te sluit", + "bisqEasy.tradeWizard.amount.removeMinAmountOption" to "Gebruik vaste waarde bedrag", + "bisqEasy.offerDetails.id" to "Aanbod-ID", + "bisqEasy.tradeWizard.progress.price" to "Prys", + "bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo.overlay.info" to "Gegewe die lae handelsbedrag van {0}, is die reputasievereistes verslap.\nVir bedrae tot {1}, kan verkopers met onvoldoende of geen reputasie jou aanbod aanvaar.\n\nVerkopers wat jou aanbod wil aanvaar met die maksimum bedrag van {2}, moet 'n reputasie-telling van ten minste {3} hê.\nDeur die maksimum handelsbedrag te verminder, maak jy jou aanbod toeganklik vir meer verkopers.", + "bisqEasy.tradeState.info.buyer.phase1a.send" to "Stuur na verkoper", + "bisqEasy.takeOffer.review.noTradeFeesLong" to "Daar is geen handelsfooie in Bisq Easy", + "bisqEasy.onboarding.watchVideo" to "Kyk video", + "bisqEasy.walletGuide.receive.content" to "Om jou Bitcoin te ontvang, het jy 'n adres van jou beursie nodig. Om dit te kry, klik op jou nuut geskepte beursie, en klik daarna op die 'Ontvang' knoppie onderaan die skerm.\n\nBluewallet sal 'n onbenutte adres vertoon, beide as 'n QR-kode en as teks. Hierdie adres is wat jy aan jou peer in Bisq Easy moet verskaf sodat hy jou die Bitcoin kan stuur wat jy koop. Jy kan die adres na jou rekenaar beweeg deur die QR-kode met 'n kamera te skandeer, deur die adres met 'n e-pos of geselskap boodskap te stuur, of selfs net deur dit eenvoudig te tik.\n\nSodra jy die handel voltooi, sal Bluewallet die inkomende Bitcoin opgemerk en jou balans met die nuwe fondse opdateer. Elke keer wanneer jy 'n nuwe handel doen, kry 'n vars adres om jou privaatheid te beskerm.\n\nDit is die basiese dinge wat jy moet weet om te begin om Bitcoin in jou eie beursie te ontvang. As jy meer oor Bluewallet wil leer, beveel ons aan om die video's hieronder te kyk.", + "bisqEasy.takeOffer.progress.review" to "Herbeoordeling handel", + "bisqEasy.tradeCompleted.header.myDirection.buyer" to "Ek het gekoop", + "bisqEasy.tradeState.info.seller.phase3a.qrCodeDisplay.window.title" to "Skandeer QR-kode vir handel ''{0}''", + "bisqEasy.tradeWizard.amount.seller.limitInfo.scoreTooLow" to "Met jou reputasie-telling van {0} mag jou handelsbedrag nie oorskry nie", + "bisqEasy.openTrades.table.paymentMethod.tooltip" to "Fiat betalingmetode: {0}", + "bisqEasy.tradeCompleted.header.myOutcome.buyer" to "Ek het betaal", + "bisqEasy.openTrades.chat.peer.description" to "Geselskappeer", + "bisqEasy.takeOffer.progress.amount" to "Handel bedrag", + "bisqEasy.price.warn.invalidPrice.numberFormatException" to "Die prys wat u ingevoer het, is nie 'n geldige nommer nie.", + "bisqEasy.mediation.request.confirm.msg" to "As jy probleme het wat jy nie met jou handelspartner kan oplos nie, kan jy hulp van 'n bemiddelaar aan vra.\n\nMoet asseblief nie bemiddeling vir algemene vrae aan vra nie. In die ondersteuningsafdeling is daar geselskapkamers waar jy algemene advies en hulp kan kry.", + "bisqEasy.tradeGuide.rules.headline" to "Wat moet ek weet oor die handel reëls?", + "bisqEasy.tradeState.info.buyer.phase3b.balance.prompt" to "Wag vir blockchain data...", + "bisqEasy.offerbook.markets" to "Markte", + "bisqEasy.privateChats.leave" to "Verlaat die gesels", + "bisqEasy.tradeWizard.review.priceDetails" to "Floteer saam met die markprys", + "bisqEasy.openTrades.table.headline" to "My oop transaksies", + "bisqEasy.takeOffer.review.method.bitcoin" to "Bitcoin betalingsmetode", + "bisqEasy.tradeWizard.amount.description.fixAmount" to "Stel die bedrag in wat jy wil handel", + "bisqEasy.offerDetails.buy" to "Aanbod om Bitcoin te koop", + "bisqEasy.openTrades.chat.detach.tooltip" to "Open gesels in nuwe venster", + "bisqEasy.tradeState.info.buyer.phase3a.headline" to "Wag vir die verkoper se Bitcoin skikking", + "bisqEasy.openTrades" to "My oop transaksies", + "bisqEasy.tradeState.info.buyer.phase3b.info.MAIN_CHAIN" to "Sodra die Bitcoin transaksie sigbaar is in die Bitcoin netwerk, sal jy die betaling sien. Na 1 blockchain bevestiging kan die betaling as voltooi beskou word.", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.browseOfferbook.info" to "Sluit die handel-wizard en blaai deur die aanbodboek", + "bisqEasy.tradeGuide.rules.confirm" to "Ek het gelees en verstaan", + "bisqEasy.walletGuide.intro" to "Inleiding", + "bisqEasy.tradeState.info.phase3b.balance.help.notConfirmed" to "Transaksie gesien in mempool maar nog nie bevestig nie", + "bisqEasy.mediation.request.feedback.noMediatorAvailable" to "Daar is geen bemiddelaar beskikbaar nie. Gebruik asseblief die ondersteuningsgesels in plaas daarvan.", + "bisqEasy.price.feedback.learnWhySection.description.intro" to "Die rede daarvoor is dat die verkoper ekstra uitgawes moet dek en die verkoper se diens moet vergoed, spesifiek:", + "bisqEasy.offerbook.marketListCell.favourites.tooltip.addToFavourites" to "Voeg by gunstelinge", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.tooltip" to "Sorteer en filtreer markte", + "bisqEasy.openTrades.rejectTrade" to "Verwerp handel", + "bisqEasy.openTrades.table.direction.seller" to "Verkoop aan:", + "bisqEasy.offerDetails.sell" to "Aanbod om Bitcoin te verkoop", + "bisqEasy.tradeWizard.amount.seller.limitInfo.sufficientScore" to "Jou reputasie-telling van {0} bied sekuriteit vir aanbiedinge tot", + "bisqEasy.tradeState.info.phase3b.balance.invalid.multipleOutputsForAddress" to "Meerdere ooreenstemmende uitsette in transaksie gevind", + "bisqEasy.onboarding.top.headline" to "Bisq Easy in 3 minute", + "bisqEasy.tradeWizard.amount.buyer.numSellers.1" to "is een verkoper", + "bisqEasy.tradeGuide.tabs.headline" to "Handel gids", + "bisqEasy.tradeWizard.amount.seller.limitInfo.inSufficientScore" to "Die sekuriteit wat deur jou reputasie-telling van {0} verskaf word, is onvoldoende vir aanbiedings oor", + "bisqEasy.openTrades.exportTrade" to "Eksporteer handel data", + "bisqEasy.tradeWizard.review.table.reputation" to "Reputasie", + "bisqEasy.tradeWizard.amount.buyer.numSellers.0" to "is geen verkoper", + "bisqEasy.tradeWizard.progress.directionAndMarket" to "Aanbod tipe", + "bisqEasy.offerDetails.direction" to "Aanbod tipe", + "bisqEasy.tradeWizard.amount.buyer.numSellers.*" to "is {0} verkopers", + "bisqEasy.offerDetails.date" to "Skeppingsdatum", + "bisqEasy.offerbook.offerList.table.filters.paymentMethods.title.all" to "Alles", + "bisqEasy.takeOffer.noMediatorAvailable.warning" to "Daar is geen bemiddelaar beskikbaar nie. U moet die ondersteuningsgesels gebruik in plaas daarvan.", + "bisqEasy.offerbook.offerList.table.columns.price" to "Prys", + "bisqEasy.offerbook.offerList.table.filters.offerDirection.buyFrom" to "Koop van", + "bisqEasy.component.amount.baseSide.tooltip.buyer.btcAmount" to "Dit is die Bitcoin hoeveelheid om te ontvang", + "bisqEasy.takeOffer.bitcoinPaymentData.warning.LN" to "Die Lightning-faktuur wat jy ingevoer het, blyk ongeldig te wees.\n\nAs jy seker is dat die faktuur geldig is, kan jy hierdie waarskuwing ignoreer en voortgaan.", + "bisqEasy.tradeWizard.review.takeOfferSuccessButton" to "Wys handel in 'My oop transaksies'", + "bisqEasy.tradeGuide.process.steps" to "1. Die verkoper en die koper ruil rekeningbesonderhede uit. Die verkoper stuur hul betalingsdata (bv. bankrekeningnommer) na die koper en die koper stuur hul Bitcoin adres (of Lightning faktuur) na die verkoper.\n2. Volgende, begin die koper die Fiat betaling na die verkoper se rekening. Wanneer die betaling ontvang is, sal die verkoper die ontvangs bevestig.\n3. Die verkoper stuur dan die Bitcoin na die koper se adres en deel die transaksie-ID (of opsioneel die voorbeeld in die geval dat Lightning gebruik word). Die gebruikerskoppelvlak sal die bevestigingsstaat vertoon. Sodra dit bevestig is, is die handel suksesvol voltooi.", + "bisqEasy.openTrades.rejectTrade.warning" to "Aangesien die uitruil van rekeningbesonderhede nog nie begin het nie, beteken die verwerping van die handel nie 'n oortreding van die handel reëls nie.\n\nAs jy enige vrae het of probleme ondervind, moenie huiwer om jou handelmaat te kontak of hulp te soek in die 'Ondersteuningsafdeling' nie.\n\nIs jy seker jy wil die handel verwerp?", + "bisqEasy.tradeWizard.price.subtitle" to "This can be defined as a percentage price which floats with the market price or fixed price.", + "bisqEasy.openTrades.tradeLogMessage.rejected" to "{0} het handel aangevaar", + "bisqEasy.tradeState.header.tradeId" to "Handel-ID", + "bisqEasy.topPane.filter" to "Filtreer aanbodboek", + "bisqEasy.tradeWizard.review.priceDetails.fix" to "Fix prys. {0} {1} markprys van {2}", + "bisqEasy.tradeWizard.amount.description.maxAmount" to "Stel die maksimum waarde vir die bedrag reeks in", + "bisqEasy.tradeState.info.buyer.phase2b.info" to "Sodra die verkoper jou betaling van {0} ontvang het, sal hulle die Bitcoin oordrag na jou verskafde {1} begin.", + "bisqEasy.tradeState.info.seller.phase3a.sendBtc" to "Stuur {0} na die koper", + "bisqEasy.onboarding.left.headline" to "Beste vir beginners", + "bisqEasy.takeOffer.paymentMethods.headline.bitcoin" to "Watter vereffeningsmetode wil jy gebruik?", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.mostOffers" to "Meeste aanbiedinge", + "bisqEasy.tradeState.header.send" to "Bedrag om te stuur", + "bisqEasy.tradeWizard.review.noTradeFees" to "Geen handelsfooie in Bisq Easy", + "bisqEasy.tradeWizard.directionAndMarket.sell" to "Verkoop Bitcoin", + "bisqEasy.tradeState.info.phase3b.balance.help.confirmed" to "Transaksie is bevestig", + "bisqEasy.tradeWizard.directionAndMarket.feedback.backToBuy" to "Terug", + "bisqEasy.tradeWizard.review.price" to "{0} <{1} style=Handel-wizard-review-code>", + "bisqEasy.openTrades.table.makerTakerRole.maker" to "Maker", + "bisqEasy.tradeWizard.review.priceDetails.fix.atMarket" to "Fix prys. Dieselfde as markprys van {0}", + "bisqEasy.tradeCompleted.tableTitle" to "Oorsig", + "bisqEasy.tradeWizard.market.headline.seller" to "In watter geldeenheid wil jy betaal word?", + "bisqEasy.tradeCompleted.body.date" to "Datum", + "bisqEasy.tradeWizard.review.paymentMethodDescriptions.btc.taker" to "Kies Bitcoin vereffeningsmetode", + "bisqEasy.tradeState.info.seller.phase3b.confirmButton.ln" to "Voltooi handel", + "bisqEasy.tradeState.info.seller.phase2b.headline" to "Kontroleer of u {0} ontvang het", + "bisqEasy.price.feedback.learnWhySection.description.exposition" to "- Bou reputasie op wat duur kan wees- Die verkoper moet vir mynwerker fooie betaal- Die verkoper is die nuttige gids in die handel proses en belê dus meer tyd", + "bisqEasy.takeOffer.amount.buyer.limitInfoAmount" to "__PLAASHOUER_04de53fa-ae0d-42dd-a802-bd86d1809c51__.", + "bisqEasy.tradeState.info.buyer.phase2a.headline" to "Stuur {0} na die verkoper se betalingrekening", + "bisqEasy.price.feedback.learnWhySection.title" to "Waarom moet ek 'n hoër prys aan die verkoper betaal?", + "bisqEasy.offerbook.offerList.table.columns.price.tooltip.floatPrice" to "Persentasie prys {0}\nMet huidige markprys: {1}", + "bisqEasy.takeOffer.review.price.price" to "Handel prys", + "bisqEasy.tradeState.paymentProof.LN" to "Voorbeeld", + "bisqEasy.openTrades.table.settlementMethod" to "Nederlaag", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.description.question" to "Wil jy hierdie nuwe prys aanvaar of wil jy die handel verwerp/kanselleer*?", + "bisqEasy.takeOffer.tradeLogMessage" to "{0} het 'n boodskap gestuur om {1} se aanbod te neem", + "bisqEasy.openTrades.cancelled.self" to "U het die handel gekanselleer", + "bisqEasy.component.amount.baseSide.tooltip.btcAmount.marketPrice" to "Dit is die Bitcoin bedrag met die huidige markprys.", + "bisqEasy.tradeGuide.security" to "Sekuriteit", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.description.disclaimer" to "(*Let daarop dat in hierdie spesifieke geval, die kansellasie van die handel NIE as 'n oortreding van die handelsreëls beskou sal word.)", + "bisqEasy.tradeState.info.buyer.phase3b.headline.ln" to "Die verkoper het die Bitcoin via die Lightning netwerk gestuur", + "bisqEasy.mediation.request.feedback.headline" to "Bemiddeling aangevra", + "bisqEasy.tradeState.requestMediation" to "Versoek bemiddeling", + "bisqEasy.price.warn.invalidPrice.exception" to "Die prys wat u ingevoer het, is ongeldig.\n\nFoutboodskap: {0}", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.goBack.info" to "Gaan terug na die vorige skerms en verander die keuse", + "bisqEasy.offerbook.marketListCell.numOffers.tooltip.one" to "{0} aanbod is beskikbaar in die {1} mark", + "bisqEasy.tradeGuide.process.content" to "Wanneer jy besluit om 'n aanbod te aanvaar, sal jy die buigsaamheid hê om te kies uit die beskikbare opsies wat deur die aanbod verskaf word. Voor jy die handel begin, sal jy 'n oorsig van die samevatting ontvang vir jou hersiening.\nSodra die handel geinitieer is, sal die gebruikerskoppelvlak jou deur die handelproses lei, wat uit die volgende stappe bestaan:", + "bisqEasy.openTrades.csv.txIdOrPreimage" to "Transaksie-ID/Voorbeeld", + "bisqEasy.tradeState.info.buyer.phase1a.walletHelpButton" to "Open beursie gids", + "bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo" to "Vir die maks. bedrag van {0} is daar {1} met genoeg reputasie om jou aanbod te aanvaar.", + "bisqEasy.tradeWizard.review.chatMessage.floatPrice.above" to "{0} bo die markprys", + "bisqEasy.tradeWizard.selectOffer.headline.buyer" to "Koop Bitcoin vir {0}", + "bisqEasy.tradeWizard.review.chatMessage.fixPrice" to "{0}", + "bisqEasy.tradeState.info.phase3b.button.next" to "Volgende", + "bisqEasy.tradeWizard.review.toReceive" to "Bedrag om te ontvang", + "bisqEasy.tradeState.info.seller.phase1.tradeLogMessage" to "{0} het die betalingrekening data gestuur:\n{1}", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.noReputationNeededForMaxOrFixedAmount.info" to "Gegewe die lae bedrag van {0}, is reputasievereistes verslap.\nVir bedrae tot {1}, kan verkopers met onvoldoende of geen reputasie die aanbod aanvaar.\n\nMaak seker dat jy die risiko's ten volle verstaan wanneer jy met 'n verkoper sonder of onvoldoende reputasie handel. As jy nie aan daardie risiko blootgestel wil word nie, kies 'n bedrag bo {2}.", + "bisqEasy.tradeCompleted.body.tradeFee" to "Handelsfooi", + "bisqEasy.tradeWizard.review.nextButton.takeOffer" to "Bevestig handel", + "bisqEasy.openTrades.chat.peerLeft.headline" to "{0} het die handel verlaat", + "bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.headline" to "Stuur take-aanbod boodskap", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.headline.MAIN_CHAIN" to "Vul jou Bitcoin adres in", + "bisqEasy.offerbook.marketListCell.numOffers.tooltip.many" to "{0} aanbiedinge is beskikbaar in die {1} mark", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.prompt.LN" to "Vul die voorbeeld in as beskikbaar", + "bisqEasy.mediation.requester.tradeLogMessage" to "{0} het bemiddeling aangevra", + "bisqEasy.tradeWizard.review.table.baseAmount.buyer" to "Jy ontvang", + "bisqEasy.tradeWizard.review.table.price" to "Prys in {0}", + "bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.paymentProof.MAIN_CHAIN" to "Transaksie-ID", + "bisqEasy.component.amount.baseSide.tooltip.bestOfferPrice" to "Dit is die Bitcoin bedrag met die beste prys\nuit ooreenstemmende aanbiedinge: {0}", + "bisqEasy.tradeWizard.review.headline.maker" to "Herbeoordeling aanbod", + "bisqEasy.openTrades.reportToMediator" to "Rapporteer aan bemiddelaar", + "bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.info" to "Moet nie die venster of die toepassing sluit nie totdat jy die bevestiging sien dat die neem-aanbod versoek suksesvol gestuur is.", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.sortTitle" to "Sorteer op:", + "bisqEasy.tradeWizard.review.priceDescription.taker" to "Handel prys", + "bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.subTitle" to "Die stuur van die neem-aanbod boodskap kan tot 2 minute neem", + "bisqEasy.walletGuide.receive.headline" to "Ontvang Bitcoin in jou beursie", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.headline" to "Geen ooreenstemmende aanbiedinge gevind", + "bisqEasy.walletGuide.tabs.headline" to "Beursie gids", + "bisqEasy.offerbook.offerList.table.columns.fiatAmount" to "{0} bedrag", + "bisqEasy.takeOffer.makerBanned.warning" to "Die maker van hierdie aanbod is verbied. Probeer asseblief om 'n ander aanbod te gebruik.", + "bisqEasy.price.feedback.learnWhySection.closeButton" to "Terug na Handelprys", + "bisqEasy.tradeWizard.review.feeDescription" to "Fooi", + "bisqEasy.takeOffer.amount.buyer.limitInfo.minAmountCovered.overlay.info" to "Die verkoper se reputasie-telling van {0} bied sekuriteit tot {1}.\n\nAs jy 'n hoër bedrag kies, verseker dat jy ten volle bewus is van die gepaardgaande risiko's. Bisq Easy se sekuriteitsmodel is afhanklik van die verkoper se reputasie, aangesien die koper vereis word om fiat-geld eers te stuur.", + "bisqEasy.tradeWizard.review.paymentMethodDescriptions.btc.maker" to "Bitcoin vereffeningsmetodes", + "bisqEasy.tradeWizard.review.headline.taker" to "Herbeoordeel handel", + "bisqEasy.takeOffer.review.takeOfferSuccess.headline" to "Jy het die aanbod suksesvol aanvaar", + "bisqEasy.openTrades.failedAtPeer.popup" to "Die peer se handel het misluk weens 'n fout.\nFout veroorsaak deur: {0}\n\nStap spoor: {1}", + "bisqEasy.tradeCompleted.header.myDirection.seller" to "Ek het verkoop", + "bisqEasy.tradeState.info.buyer.phase1b.headline" to "Wag vir die verkoper se betalingrekening data", + "bisqEasy.price.feedback.sentence.some" to "sommige", + "bisqEasy.component.amount.baseSide.tooltip.seller.btcAmount" to "Dit is die Bitcoin bedrag om te spandeer", + "bisqEasy.offerDetails.headline" to "Aanbod besonderhede", + "bisqEasy.openTrades.cancelTrade" to "Kanselleer handel", + "bisqEasy.tradeState.info.phase3b.button.next.noOutputForAddress" to "Geen uitvoer wat die adres ''{0}'' in transaksie ''{1}'' ooreenstem nie.\n\nHet jy in staat was om hierdie probleem met jou handelmaat op te los?\nAs nie, kan jy oorweeg om bemiddeling aan te vra om die saak te help besleg.", + "bisqEasy.price.tradePrice.title" to "Vaste prys", + "bisqEasy.openTrades.table.mediator" to "Bemiddelaar", + "bisqEasy.offerDetails.makersTradeTerms" to "Makers handel terme", + "bisqEasy.openTrades.chat.attach.tooltip" to "Herstel geselskap terug na hoofvenster", + "bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMax" to "Die verkoper se reputasie-telling is slegs {0}. Dit word nie aanbeveel om meer as te handel nie", + "bisqEasy.privateChats.table.myUser" to "My profiel", + "bisqEasy.tradeState.info.phase4.exportTrade" to "Eksporteer handelsdata", + "bisqEasy.takeOffer.amount.buyer.limitInfo.minAmountNotCovered" to "Die verkoper se reputasie-telling van {0} bied nie voldoende sekuriteit vir daardie aanbod nie.", + "bisqEasy.tradeWizard.selectOffer.subHeadline" to "Dit word aanbeveel om met gebruikers met 'n hoë reputasie te handel.", + "bisqEasy.topPane.filter.offersOnly" to "Slegs aanbiedinge in Bisq Easy aanbodboek wys", + "bisqEasy.tradeWizard.review.nextButton.createOffer" to "Skep aanbod", + "bisqEasy.offerbook.offerList.table.filters.paymentMethods.clearFilters" to "Verwyder filters", + "bisqEasy.openTrades.noTrades" to "Jy het nie enige oop transaksies nie", + "bisqEasy.tradeState.info.seller.phase2b.info" to "Besoek jou bankrekening of betalingverskaffer-app om die ontvangs van die koper se betaling te bevestig.", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.prompt.MAIN_CHAIN" to "Vul jou Bitcoin adres in", + "bisqEasy.tradeWizard.amount.seller.limitInfoAmount" to "__PLAASHOUER_196cff21-f00a-4145-a9ed-60b1785dd545__.", + "bisqEasy.openTrades.welcome.headline" to "Welkom by jou eerste Bisq Easy handel!", + "bisqEasy.takeOffer.amount.description.limitedByTakersReputation" to "Jou reputasie-telling van {0} laat jou toe om 'n handelsbedrag te kies\ntussen {1} en {2}", + "bisqEasy.tradeState.info.seller.phase1.buttonText" to "Stuur rekeningdata", + "bisqEasy.tradeState.info.phase3b.txId.failed" to "Transaksie-opsporing na ''{0}'' het gefaal met {1}: ''{2}''", + "bisqEasy.component.amount.baseSide.tooltip.taker.offerPrice" to "met die aanbodprys: {0}", + "bisqEasy.takeOffer.review.takeOfferSuccessButton" to "Wys handel in 'My oop transaksies'", + "bisqEasy.walletGuide.createWallet.headline" to "Skep jou nuwe beursie", + "bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.noProofProvided" to "{0} het die Bitcoin oordrag geïnisieer.", + "bisqEasy.walletGuide.intro.headline" to "Maak gereed om jou eerste Bitcoin te ontvang", + "bisqEasy.openTrades.rejected.self" to "Jy het die handel verwerp", + "bisqEasy.takeOffer.amount.headline.buyer" to "Hoeveel wil jy spandeer?", + "bisqEasy.tradeState.header.receive" to "Bedrag om te ontvang", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.title" to "Aandag op Prysverandering!", + "bisqEasy.offerDetails.priceValue" to "{0} (premie: {1})", + "bisqEasy.tradeWizard.review.chatMessage.floatPrice.below" to "{0} onder markprys", + "bisqEasy.tradeState.info.seller.phase1.headline" to "Stuur jou betalingrekening data na die koper", + "bisqEasy.tradeWizard.market.columns.numPeers" to "Aanlyn vennote", + "bisqEasy.tradeState.info.phase3b.button.next.amountNotMatching.resolved" to "Ek het dit opgelos", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.favourites" to "Slegs gunstelinge", + "bisqEasy.openTrades.table.me" to "Ek", + "bisqEasy.tradeCompleted.header.tradeId" to "Handel-ID", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.description.MAIN_CHAIN" to "Bitcoin adres", + "bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.linkToWikiText" to "Vir meer besonderhede oor die reputasiestelsel, besoek die Bisq Wiki by:", + "bisqEasy.openTrades.table.tradePeer" to "Peer", + "bisqEasy.price.feedback.learnWhySection.openButton" to "Waarom?", + "bisqEasy.mediation.request.confirm.headline" to "Versoek bemiddeling", + "bisqEasy.tradeWizard.review.paymentMethodDescription.btc" to "Bitcoin betalingsmetode", + "bisqEasy.tradeWizard.paymentMethods.warn.tooLong" to "'n Aangepaste betalingmetode naam mag nie langer wees as 20 karakters nie.", + "bisqEasy.walletGuide.download.link" to "Klik hier om Bluewallet se bladsy te besoek", + "bisqEasy.onboarding.right.info" to "Blaai deur die aanbodboek vir die beste aanbiedinge of skep jou eie aanbod.", + "bisqEasy.component.amount.maxRangeValue" to "Max {0}", + "bisqEasy.tradeState.info.phase3b.balance.invalid.noOutputsForAddress" to "Geen ooreenstemmende uitsette gevind in transaksie", + "bisqEasy.tradeWizard.review.priceDescription.maker" to "Aanbodprys", + "bisqEasy.takeOffer.paymentMethods.subtitle.fiat.buyer" to "Kies 'n betalingsmetode om {0} oor te dra", + "bisqEasy.tradeGuide.security.headline" to "Hoe veilig is dit om te handel op Bisq Easy?", + "bisqEasy.takeOffer.amount.buyer.limitInfo.overlay.linkToWikiText" to "Leer meer oor die reputasiesisteem, besoek:", + "bisqEasy.walletGuide.receive.link2" to "Blou beursie tutoriaal deur BTC Sessies", + "bisqEasy.walletGuide.receive.link1" to "Blou beursie tutoriaal deur Anita Posch", + "bisqEasy.tradeWizard.progress.amount" to "Bedrag", + "bisqEasy.offerbook.chatMessage.deleteOffer.confirmation" to "Is jy seker jy wil hierdie aanbod verwyder?", + "bisqEasy.tradeWizard.review.priceDetails.float" to "Vaarprys. {0} {1} marktplaatsprys van {2}", + "bisqEasy.openTrades.welcome.info" to "Maak jouself asseblief vertroud met die konsep, proses en reëls vir handel op Bisq Easy.\nNadat jy die handel reëls gelees en aanvaar het, kan jy die handel begin.", + "bisqEasy.tradeState.info.seller.phase3a.fiatPaymentReceivedCheckBox" to "Ek het bevestig dat ek {0} ontvang het", + "bisqEasy.offerbook" to "Aanbodboek", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.description.LN" to "Lightning faktuur", + "bisqEasy.openTrades.table.makerTakerRole" to "My rol", + "bisqEasy.tradeWizard.market.headline.buyer" to "In watter geldeenheid wil jy betaal?", + "bisqEasy.tradeWizard.amount.limitInfo.overlay.headline" to "Reputasie-gebaseerde handelbedrag limiete", + "bisqEasy.tradeWizard.progress.takeOffer" to "Kies aanbod", + "bisqEasy.tradeWizard.market.columns.numOffers" to "Aantal aanbiedinge", + "bisqEasy.offerbook.offerList.expandedList.tooltip" to "Wys/versteek Aanbodlys", + "bisqEasy.openTrades.failedAtPeer" to "Die peer se handel het gefaal met 'n fout veroorsaak deur: {0}", + "bisqEasy.tradeState.info.buyer.phase3b.info.ln" to "Oordragte via die Lightning Network is tipies byna onmiddellik. As jy die betaling nie binne een minuut ontvang het nie, kontak asseblief die verkoper in die handel geselskap. Soms kan betalings misluk en moet dit weer probeer word.", + "bisqEasy.takeOffer.amount.buyer.limitInfo.learnMore" to "Leer meer", + "bisqEasy.takeOffer.paymentMethods.subtitle.fiat.seller" to "Kies 'n betalingmetode om {0} te ontvang", + "bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo.leadLine" to "Aangesien jou min. bedrag onder {0} is, kan verkopers sonder reputasie jou aanbod aanvaar.", + "bisqEasy.walletGuide.open" to "Open beursie gids", + "bisqEasy.tradeState.info.seller.phase3a.btcSentButton" to "Ek bevestig dat ek {0} gestuur het", + "bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMax.overlay.info" to "Die verkoper se reputasie-telling van {0} bied nie voldoende sekuriteit nie. egter, vir laer handelbedrae (tot {1}) is die reputasievereistes meer soepel.\n\nAs jy besluit om voort te gaan ten spyte van die gebrek aan die verkoper se reputasie, maak seker dat jy ten volle bewus is van die gepaardgaande risiko's. Die sekuriteitsmodel van Bisq Easy is gebaseer op die verkoper se reputasie, aangesien die koper vereis word om fiat-geld eerste te stuur.", + "bisqEasy.tradeState.paymentProof.MAIN_CHAIN" to "Transaksie-ID", + "bisqEasy.takeOffer.paymentMethods.subtitle.bitcoin.seller" to "Kies 'n vereffeningmetode om Bitcoin te stuur", + "bisqEasy.offerbook.offerList.table.filters.showMyOffersOnly" to "My aanbiedinge slegs", + "bisqEasy.component.amount.baseSide.tooltip.buyerInfo" to "Verkopers mag 'n hoër prys vra aangesien hulle koste het om reputasie te verkry.\n5-15% pryspremie is algemeen.", + "bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.scoreTooLow" to "Jou reputasie-telling van {0} bied nie voldoende sekuriteit vir kopers nie.\n\nKopers wat oorweeg om jou aanbod te aanvaar, sal 'n waarskuwing ontvang oor potensiële risiko's wanneer hulle jou aanbod aanvaar.\n\nJy kan inligting vind oor hoe om jou reputasie te verhoog by ''Reputasie/Bou Reputasie''.", + "bisqEasy.tradeState.info.phase3b.button.next.amountNotMatching" to "Die uitvoerbedrag vir die adres ''{0}'' in transaksie ''{1}'' is ''{2}'', wat nie ooreenstem met die handelbedrag van ''{3}''.\n\nHet jy in staat was om hierdie probleem met jou handelmaat op te los?\nAs nie, kan jy oorweeg om bemiddeling aan te vra om die saak te help besleg.", + "bisqEasy.tradeState.info.buyer.phase3b.balance" to "Ontvangde Bitcoin", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.overlay.info" to "Gegewe die lae min. bedrag van {0}, is die reputasie vereistes verslap.\nVir bedrae tot {1}, hoef verkopers nie reputasie te hê nie.\n\nBy die ''Kies Aanbod'' skerm word dit aanbeveel om verkopers met 'n hoër reputasie te kies.", + "bisqEasy.tradeWizard.review.toPay" to "Bedrag om te betaal", + "bisqEasy.takeOffer.review.headline" to "Herbeoordeel handel", + "bisqEasy.openTrades.table.makerTakerRole.taker" to "Neem", + "bisqEasy.openTrades.chat.attach" to "Herstel", + "bisqEasy.tradeWizard.amount.addMinAmountOption" to "Voeg min/max reeks vir bedrag by", + "bisqEasy.tradeWizard.paymentMethods.warn.noBtcSettlementMethodSelected" to "Groot asseblief ten minste een Bitcoin-settlementmetode.", + "bisqEasy.takeOffer.paymentMethods.subtitle.bitcoin.buyer" to "Kies 'n vereffeningsmetode om Bitcoin te ontvang", + "bisqEasy.openTrades.table.paymentMethod" to "Betaling", + "bisqEasy.takeOffer.review.noTradeFees" to "Geen handelsfooie in Bisq Easy", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.tooltip" to "Skandeer QR-kode met jou webcam", + "bisqEasy.tradeWizard.review.paymentMethodDescriptions.fiat.maker" to "Fiat-betalingsmetodes", + "bisqEasy.tradeWizard.review.chatMessage.peerMessageTitle.sell" to "Verkoop Bitcoin aan", + "bisqEasy.onboarding.left.info" to "Die handel-wizard lei jou deur jou eerste Bitcoin handel. Die Bitcoin verkopers sal jou help as jy enige vrae het.", + "bisqEasy.offerbook.offerList.collapsedList.tooltip" to "Brei Aanbodlys uit", + "bisqEasy.price.feedback.sentence.low" to "laag", + "bisqEasy.tradeState.info.seller.phase3b.info.MAIN_CHAIN" to "Die Bitcoin-betaling vereis ten minste 1 blockchain bevestiging om as voltooi beskou te word.", + "bisqEasy.tradeWizard.review.toSend" to "Bedrag om te stuur", + "bisqEasy.tradeState.info.seller.phase1.accountData.prompt" to "Vul jou betalingrekening data in. Byvoorbeeld IBAN, BIC en rekeninghouer naam", + "bisqEasy.tradeWizard.review.chatMessage.myMessageTitle" to "My Aanbod aan {0} Bitcoin", + "bisqEasy.tradeWizard.directionAndMarket.feedback.headline" to "Hoe om reputasie op te bou?", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.info" to "Vir aanbiedinge tot {0} is reputasie vereistes verslap.", + "bisqEasy.tradeWizard.review.createOfferSuccessButton" to "Wys my aanbod in 'Aanbodboek'", + "bisqEasy.tradeWizard.review.takeOfferSuccess.subTitle" to "Kontak asseblief die handel peer by 'My oop transaksies'.\nJy sal verdere inligting vir die volgende stappe daar vind.\n\nMaak seker om gereeld die Bisq-toepassing te kontroleer vir nuwe boodskappe van jou handel peer.", + "bisqEasy.mediation.request.confirm.openMediation" to "Open bemiddeling", + "bisqEasy.price.tradePrice.inputBoxText" to "Handel prys in {0}", + "bisqEasy.tradeGuide.rules.content" to "- Voor die uitruil van rekeningbesonderhede tussen die verkoper en die koper, kan enige party die handel kanselleer sonder om regverdigings te verskaf.\n- Handelaars moet gereeld hul transaksies nagaan vir nuwe boodskappe en moet binne 24 uur antwoordgee.\n- Sodra rekeningbesonderhede uitgewissel is, word dit beskou as 'n oortreding van die handelsooreenkoms indien daar nie aan handelverpligtinge voldoen word nie, en dit kan lei tot 'n verbod van die Bisq-netwerk. Dit geld nie as die handelspartner nie reageer nie.\n- Tydens Fiat-betaling MAG die koper nie terme soos 'Bisq' of 'Bitcoin' in die 'rede vir betaling' veld insluit nie. Handelaars kan ooreenkom op 'n identifiseerder, soos 'n ewekansige string soos 'H3TJAPD', om die bankoorplasing met die handel te assosieer.\n- As die handel nie onmiddellik voltooi kan word weens langer Fiat-oordragtye nie, moet albei handelaars ten minste een keer per dag aanlyn wees om die handel se vordering te monitor.\n- In die geval dat handelaars onopgeloste probleme ondervind, het hulle die opsie om 'n bemiddelaar in die handel geselskap uit te nooi vir hulp.\n\nAs u enige vrae het of hulp nodig het, moenie huiwer om die geselskapkamers te besoek wat onder die 'Ondersteuning' menu beskikbaar is nie. Gelukkige handel!", + "bisqEasy.offerbook.offerList.table.columns.peerProfile" to "Peer-profiel", + "bisqEasy.tradeState.info.phase3b.balance.invalid.amountNotMatching" to "Uitvoerbedrag van transaksie stem nie ooreen met handelbedrag nie", + "bisqEasy.tradeWizard.review.chatMessage.peerMessage.buy" to "Koop Bitcoin van {0}\nBedrag: {1}\nBitcoin vereffening metode(s): {2}\nFiat betalingsmetode(s): {3}\n{4}", + "bisqEasy.price.percentage.title" to "Persentasieprys", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.connecting" to "Verbinde met webcam...", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.learnMore" to "Leer meer", + "bisqEasy.tradeGuide.open" to "Open handel gids", + "bisqEasy.tradeState.info.phase3b.lightning.preimage" to "Prebeeld", + "bisqEasy.tradeWizard.review.table.baseAmount.seller" to "Jy spandeer", + "bisqEasy.openTrades.cancelTrade.warning.buyer" to "Aangesien die uitruil van rekeningbesonderhede begin het, kan die handel nie gekanselleer word sonder die verkoper se {0}", + "bisqEasy.tradeWizard.review.chatMessage.marketPrice" to "Markprys", + "bisqEasy.tradeWizard.amount.seller.limitInfo.link" to "Leer meer", + "bisqEasy.tradeState.info.seller.phase2a.waitForPayment.info" to "Sodra die koper die betaling van {0} geïnisieer het, sal jy in kennis gestel word.", + "bisqEasy.offerbook.offerList.table.columns.price.tooltip.fixPrice" to "Vaste prys: {0}\nPersentasie van die huidige markprys: {1}", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.walletHelp" to "As jy nog nie 'n beursie opgestel het nie, kan jy hulp vind by die beursie gids", + "bisqEasy.tradeGuide.security.content" to "- Bisq Easy se sekuriteitsmodel is geoptimaliseer vir klein handelsbedrae.\n- Die model steun op die reputasie van die verkoper, wat gewoonlik 'n ervare Bisq-gebruiker is en verwag word om nuttige ondersteuning aan nuwe gebruikers te bied.\n- Om reputasie op te bou kan duur wees, wat lei tot 'n algemene 5-15% pryspremie om ekstra uitgawes te dek en die verkoper se diens te vergoed.\n- Handel met verkopers wat nie reputasie het nie, dra beduidende risiko's en moet slegs onderneem word as die risiko's deeglik verstaan en bestuur word.", + "bisqEasy.openTrades.csv.paymentMethod" to "Betalingmetode", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.button.accept" to "Aanvaard prys", + "bisqEasy.openTrades.failed" to "Die handel het gefaal met foutboodskap: {0}", + "bisqEasy.tradeState.info.seller.phase3b.headline.MAIN_CHAIN" to "Wag vir blockchain bevestiging", + "bisqEasy.tradeState.info.buyer.phase3a.info" to "Die verkoper moet die Bitcoin-oordrag na jou verskafde {0} begin.", + "bisqEasy.tradeState.info.seller.phase3b.headline.ln" to "Wag vir koper om Bitcoin ontvangs te bevestig", + "bisqEasy.tradeState.phase4" to "Handel voltooi", + "bisqEasy.tradeWizard.review.detailsHeadline.taker" to "Handel besonderhede", + "bisqEasy.tradeState.phase3" to "Bitcoin oordrag", + "bisqEasy.tradeWizard.review.takeOfferSuccess.headline" to "U het die aanbod suksesvol aanvaar", + "bisqEasy.tradeState.phase2" to "Fiat betaling", + "bisqEasy.tradeState.phase1" to "Rekening besonderhede", + "bisqEasy.mediation.request.feedback.msg" to "'n Versoek aan die geregistreerde bemiddelaars is gestuur.\n\nWees asseblief geduldig totdat 'n bemiddelaar aanlyn is om by die handel geselskap te voeg en te help om enige probleme op te los.", + "bisqEasy.offerBookChannel.description" to "Markkanaal vir handel {0}", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.failed" to "Verbinding met die webkamera het misluk", + "bisqEasy.tradeGuide.welcome.content" to "Hierdie gids bied 'n Oorsig van noodsaaklike aspekte vir die aankoop of verkoop van Bitcoin met Bisq Easy.\nIn hierdie gids sal jy leer oor die sekuriteitsmodel wat by Bisq Easy gebruik word, insigte verkry in die handelproses, en jouself vertroud maak met die handelreëls.\n\nVir enige addisionele vrae, voel vry om die geselskamers onder die 'Ondersteuning' spyskaart te besoek.", + "bisqEasy.offerDetails.quoteSideAmount" to "{0} bedrag", + "bisqEasy.tradeState.info.seller.phase2a.waitForPayment.headline" to "Wag vir die koper se {0} betaling", + "bisqEasy.tradeState.info.buyer.phase2a.reasonForPaymentInfo" to "Asseblief laat die 'Rede vir betaling' veld leeg, in die geval dat jy 'n bankoorplasing maak", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.proceed" to "Ignoreer waarskuwing", + "bisqEasy.offerbook.offerList.table.filters.paymentMethods.title" to "Betalings ({0})", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.browseOfferbook" to "Besoek aanbodboek", + "bisqEasy.tradeState.info.seller.phase2b.fiatReceivedButton" to "Bevestig ontvangs van {0}", + "bisqEasy.tradeWizard.amount.seller.limitInfo.noReputationNeededForMaxOrFixedAmount" to "Vir bedrae tot {0} is geen reputasie nodig nie.", + "bisqEasy.openTrades.csv.receiverAddressOrInvoice" to "Ontvanger adres/Faktuur", + "bisqEasy.tradeWizard.review.chatMessage.peerMessage.sell" to "Verkoop Bitcoin aan {0}\nBedrag: {1}\nBitcoin vereffeningsmetode(s): {2}\nFiat betalingsmetode(s): {3}\n{4}", + "bisqEasy.takeOffer.review.sellerPaysMinerFee" to "Verkoper betaal die mynboufooi", + "bisqEasy.takeOffer.review.sellerPaysMinerFeeLong" to "Die verkoper betaal die mynboufooi", + "bisqEasy.tradeWizard.review.paymentMethodDescriptions.fiat.taker" to "Kies fiat betalingmetode", + "bisqEasy.tradeWizard.directionAndMarket.feedback.gainReputation" to "Leer hoe om reputasie op te bou", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.MAIN_CHAIN" to "Die Transaksie-ID wat jy ingevoer het, blyk ongeldig te wees.\n\nAs jy seker is dat die Transaksie-ID geldig is, kan jy hierdie waarskuwing ignoreer en voortgaan.", + "bisqEasy.tradeState.info.buyer.phase2a.quoteAmount" to "Bedrag om te oordra", + "bisqEasy.offerbook.marketListCell.favourites.tooltip.removeFromFavourites" to "Verwyder uit gunstelinge", + "bisqEasy.offerbook.marketListCell.numOffers.tooltip.none" to "Geen aanbiedinge nog beskikbaar in die {0} mark", + "bisqEasy.price.percentage.inputBoxText" to "Marktprys persentasie tussen -10% en 50%", + "bisqEasy.takeOffer.amount.seller.limitInfo.overlay.info.scoreTooLow" to "Vir bedrae tot {0} is die reputasievereistes verslap.\n\nJou reputasie-telling van {1} bied nie voldoende sekuriteit vir die koper nie. Tog, gegewe die lae handelsbedrag, het die koper aanvaar om die risiko te neem.\n\nJy kan inligting vind oor hoe om jou reputasie te verhoog by ''Reputasie/Bou Reputasie''.", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.description.LN" to "Prebeeld (opsioneel)", + "bisqEasy.takeOffer.bitcoinPaymentData.warning.MAIN_CHAIN" to "Die Bitcoin adres wat jy ingevoer het, blyk ongeldig te wees.\n\nAs jy seker is dat die adres geldig is, kan jy hierdie waarskuwing ignoreer en voortgaan.", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.goBack" to "Verander seleksie", + "bisqEasy.tradeWizard.amount.seller.wizard.numMatchingOffers.info" to "Daar is {0} wat ooreenstem met die gekose handelbedrag.", + "bisqEasy.tradeState.bitcoinPaymentData.MAIN_CHAIN" to "Bitcoin adres", + "bisqEasy.onboarding.top.content1" to "Kry 'n vinnige inleiding tot Bisq Easy", + "bisqEasy.onboarding.top.content2" to "Sien hoe die handel proses werk", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.description.MAIN_CHAIN" to "Transaksie-ID", + "bisqEasy.onboarding.top.content3" to "Leer meer oor die eenvoudige handel reëls", + "bisqEasy.tradeState.header.peer" to "Handel bemiddelaar", + "bisqEasy.tradeState.info.phase3b.button.skip" to "Verlaat wag vir blokbevestiging", + "bisqEasy.openTrades.closeTrade.warning.completed" to "Jou handel is voltooi.\n\nJy kan nou die handel sluit of die handelsdata op jou rekenaar rugsteun indien nodig.\n\nSodra die handel gesluit is, is al die data wat met die handel verband hou, verlore, en jy kan nie meer met die handelspartner in die handel gesels nie.", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.noReputationNeededForMaxOrFixedAmount.riskInfo" to "Wees seker dat jy die risiko's ten volle verstaan.", + "bisqEasy.tradeState.info.buyer.phase1a.tradeLogMessage.LN" to "{0} het die Lightning faktuur ''{1}'' gestuur", + "bisqEasy.openTrades.cancelled.peer" to "Jou handel bemiddelaar het die handel gekanselleer", + "bisqEasy.tradeCompleted.header.myOutcome.seller" to "Ek het ontvang", + "bisqEasy.tradeWizard.review.chatMessage.offerDetails" to "Bedrag: {0}\nBitcoin vereffeningsmetode(s): {1}\nFiat betalingsmetode(s): {2}\n{3}", + "bisqEasy.takeOffer.bitcoinPaymentData.warning.proceed" to "Ignore waarskuwing", + "bisqEasy.takeOffer.review.detailsHeadline" to "Handeldetails", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.info" to "'n Verkoper wat jou aanbod van {0} wil aanvaar, moet 'n reputasie-telling van ten minste {1} hê.\nDeur die maksimum handelsbedrag te verminder, maak jy jou aanbod toeganklik vir meer verkopers.", + "bisqEasy.tradeState.info.buyer.phase2a.tradeLogMessage" to "{0} het die {1} betaling geïnisieer", + "bisqEasy.takeOffer.amount.seller.limitInfo.scoreTooLow" to "Aangesien jou reputasie-telling slegs {0} is, is jou handelbedrag beperk tot", + "bisqEasy.tradeState.info.seller.phase3a.baseAmount" to "Bedrag om te stuur", + "bisqEasy.takeOffer.review.takeOfferSuccess.subTitle" to "Neem asseblief kontak op met die handel peer by 'My oop transaksies'.\nJy sal verdere inligting vir die volgende stappe daar vind.\n\nMaak seker om gereeld die Bisq-toepassing na te gaan vir nuwe boodskappe van jou handel peer.", + "bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.paymentProof.LN" to "Voorbeeld", + "bisqEasy.tradeCompleted.body.txId.tooltip" to "Open blokontdekkings transaksie", + "bisqEasy.offerbook.marketListCell.numOffers.many" to "{0} aanbiedinge", + "bisqEasy.walletGuide.createWallet.content" to "Bluewallet laat jou toe om verskeie beursies vir verskillende doeleindes te skep. Vir nou hoef jy net een beursie te hê. Sodra jy Bluewallet binnegaan, sal jy 'n boodskap sien wat voorstel dat jy 'n nuwe beursie byvoeg. Sodra jy dit doen, voer 'n naam vir jou beursie in en kies die opsie *Bitcoin* onder die *Tipe* afdeling. Jy kan al die ander opsies soos hulle verskyn laat en op *Skep* klik.\n\nWanneer jy na die volgende stap beweeg, sal jy 12 woorde voorgelê word. Hierdie 12 woorde is die rugsteun wat jou toelaat om jou beursie te herstel as iets met jou foon gebeur. Skryf dit neer op 'n stuk papier (nie digitaal nie) in dieselfde volgorde waarin dit voorgelê word, stoor hierdie papier veilig en maak seker dat net jy toegang daartoe het. Jy kan meer lees oor hoe om jou beursie te beveilig in die Leer-afdelings van Bisq 2 wat aan beursies en sekuriteit gewy is.\n\nSodra jy klaar is, klik op 'Ok, ek het dit neergeskryf'.\nGeluk! Jy het jou beursie geskep! Kom ons beweeg aan na hoe om jou Bitcoin daarin te ontvang.", + "bisqEasy.tradeCompleted.body.tradeFee.value" to "Geen handelsfooie in Bisq Easy", + "bisqEasy.walletGuide.download.content" to "Daar is baie beursies daar buite wat jy kan gebruik. In hierdie gids sal ons jou wys hoe om Bluewallet te gebruik. Bluewallet is wonderlik en terselfdertyd baie eenvoudig, en jy kan dit gebruik om jou Bitcoin van Bisq Easy te ontvang.\n\nJy kan Bluewallet op jou foon aflaai, ongeag of jy 'n Android of iOS toestel het. Om dit te doen, kan jy die amptelike webblad by 'bluewallet.io' besoek. Sodra jy daar is, klik op App Store of Google Play, afhangende van die toestel wat jy gebruik.\n\nBelangrike nota: vir jou veiligheid, maak seker dat jy die app van die amptelike app store van jou toestel aflaai. Die amptelike app word verskaf deur 'Bluewallet Services, S.R.L.', en jy behoort dit in jou app store te kan sien. Om 'n kwaadwillige beursie af te laai kan jou fondse in gevaar stel.\n\nLaastens, 'n vinnige nota: Bisq is op geen manier met Bluewallet geaffilieer nie. Ons stel voor om Bluewallet te gebruik weens sy kwaliteit en eenvoud, maar daar is baie ander opsies op die mark. Jy behoort heeltemal vry te voel om te vergelyk, te probeer en te kies watter beursie die beste by jou behoeftes pas.", + "bisqEasy.tradeState.info.phase4.txId.tooltip" to "Open transaksie in blok verkenner", + "bisqEasy.price.feedback.sentence" to "Jou aanbod het {0} kanse om teen hierdie prys aanvaar te word.", + "bisqEasy.takeOffer.paymentMethods.headline.fiatAndBitcoin" to "Watter betaling- en skikkingsmetode wil jy gebruik?", + "bisqEasy.tradeWizard.paymentMethods.headline" to "Watter betaling- en skikkingsmetodes wil jy gebruik?", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.nameAZ" to "Naam A-Z", + "bisqEasy.tradeWizard.amount.buyer.limitInfo" to "Daar is {0} in die netwerk met voldoende reputasie om 'n aanbod van {1} te aanvaar.", + "bisqEasy.tradeCompleted.header.myDirection.btc" to "BTC", + "bisqEasy.tradeGuide.notConfirmed.warn" to "Asseblief lees die handel gids en bevestig dat u die handel reëls gelees en verstaan het.", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.info.leadLine" to "Daar is {0} wat ooreenstem met die gekose handelbedrag.", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.linkToWikiText" to "Leer meer oor die reputasie stelsel, besoek:", + "bisqEasy.tradeState.info.seller.phase3b.info.ln" to "Oordragte via die Lightning Network is gewoonlik byna onmiddellik en betroubaar. Dit is egter in sommige gevalle moontlik dat betalings misluk en herhaal moet word.\n\nOm enige probleme te vermy, wag asseblief vir die koper om ontvangs in die handel geselskap te bevestig voordat die handel gesluit word, aangesien kommunikasie daarna nie meer moontlik sal wees nie.", + "bisqEasy.tradeGuide.process" to "Proses", + "bisqEasy.tradeWizard.paymentMethods.warn.customNameMatchesPredefinedMethod" to "Die naam van jou persoonlike betalingmetode mag nie dieselfde wees as een van die vooraf gedefinieerde nie.", + "bisqEasy.tradeState.info.phase3b.balance.help.explorerLookup" to "Soek transaksie op blok verkenner ''{0}''", + "bisqEasy.tradeWizard.progress.paymentMethods" to "Betalingmetodes", + "bisqEasy.openTrades.table.quoteAmount" to "Bedrag", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.filterTitle" to "Wys markte:", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.LN" to "Die prebeeld wat jy ingevoer het, blyk ongeldig te wees.\n\nAs jy seker is dat die prebeeld geldig is, kan jy hierdie waarskuwing ignoreer en voortgaan.", + "bisqEasy.tradeState.info.seller.phase1.accountData" to "My betalingrekening data", + "bisqEasy.price.feedback.sentence.good" to "goed", + "bisqEasy.takeOffer.review.method.fiat" to "Fiat betalingmetode", + "bisqEasy.offerbook.offerList" to "Aanbodlys", + "bisqEasy.offerDetails.baseSideAmount" to "Bitcoin bedrag", + "bisqEasy.tradeState.info.seller.phase3a.bitcoinPayment.description.MAIN_CHAIN" to "Bitcoin adres", + "bisqEasy.tradeState.info.phase3b.txId" to "Transaksie-ID", + "bisqEasy.tradeWizard.review.paymentMethodDescription.fiat" to "Fiat-betalingsmetode", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.prompt.MAIN_CHAIN" to "Vul die Bitcoin transaksie-ID in", + "bisqEasy.tradeState.info.seller.phase3b.balance" to "Bitcoin betaling", + "bisqEasy.takeOffer.amount.headline.seller" to "Hoeveel wil jy handel?", + "bisqEasy.tradeWizard.paymentMethods.warn.maxMethodsReached" to "Jy kan nie meer as 4 betalingmetodes byvoeg nie.", + "bisqEasy.tradeCompleted.header.tradeWith" to "Handel met", + ), + "reputation" to mapOf( + "reputation.burnBsq" to "Verbrande BSQ", + "reputation.signedWitness.import.step2.instruction" to "Kopieer die profiel-ID om op Bisq 1 te plak.", + "reputation.signedWitness.import.step4.instruction" to "Plak die json-data van die vorige stap", + "reputation.buildReputation.accountAge.description" to "Gebruikers van Bisq 1 kan reputasie opbou deur hul rekening-ouderdom van Bisq 1 na Bisq 2 te invoer.", + "reputation.reputationScore.explanation.ranking.description" to "Rangskik gebruikers van die hoogste na die laagste telling.\nAs 'n reël van duim wanneer jy handel: hoe hoër die rang, hoe beter die waarskynlikheid van 'n suksesvolle handel.", + "user.bondedRoles.type.MEDIATOR.how.inline" to "'n bemiddelaar", + "reputation.totalScore" to "Totaal telling", + "user.bondedRoles.registration.requestRegistration" to "Versoek registrasie", + "reputation.reputationScore" to "Reputasie-telling", + "reputation.signedWitness.info" to "Deur jou Bisq 1 'getekende rekening-ouderdom getuie' te koppel, kan jy 'n sekere vlak van vertroue bied. Daar is 'n paar redelike verwagtinge dat 'n gebruiker wat 'n tydjie gelede op Bisq 1 verhandel het en sy rekening geteken het, 'n eerlike gebruiker is. Maar daardie verwagting is swak in vergelyking met ander vorme van reputasie waar die gebruiker meer \"skin in the game\" bied met die gebruik van finansiële hulpbronne.", + "user.bondedRoles.headline.roles" to "Verbonde rolle", + "reputation.request.success" to "Suksesvol 'n magtiging versoek van Bisq 1 brugnode gemaak\n\nJou reputasiedata behoort nou beskikbaar te wees in die netwerk.", + "reputation.bond.score.headline" to "Impak op reputasie-telling", + "user.bondedRoles.type.RELEASE_MANAGER.about.inline" to "vrystellingsbestuurder", + "reputation.source.BISQ1_ACCOUNT_AGE" to "Rekening-ouderdom", + "reputation.table.columns.profileAge" to "Profiel-ouderdom", + "reputation.burnedBsq.info" to "Deur BSQ te verbrande bied jy bewys dat jy geld in jou reputasie belê het.\nDie verbrande BSQ transaksie bevat die hash van die publieke sleutel van jou profiel. In die geval van kwaadwillige gedrag kan jou profiel verbied word en daarmee sou jou belegging in jou reputasie waardeloos word.", + "reputation.signedWitness.import.step1.instruction" to "Kies die gebruikersprofiel waarvoor jy die reputasie wil koppel.", + "reputation.signedWitness.totalScore" to "Getuige-ouderdom in dae * gewig", + "reputation.table.columns.details.button" to "Wys/versteek besonderhede", + "reputation.ranking" to "Ranking", + "reputation.accountAge.import.step2.profileId" to "Profiel-ID (Plak op die rekening skerm op Bisq 1)", + "reputation.accountAge.infoHeadline2" to "Privaatheidsimplikasies", + "user.bondedRoles.registration.how.headline" to "Hoe om {0} te word?", + "reputation.details.table.columns.lockTime" to "Slot tyd", + "reputation.buildReputation.learnMore.link" to "Bisq Wiki.", + "reputation.reputationScore.explanation.intro" to "Reputasie by Bisq2 word in drie elemente vasgevang:", + "reputation.score.tooltip" to "Telling: {0}\nRangorde: {1}", + "user.bondedRoles.cancellation.failed" to "Die stuur van die kansellasieverzoek het misluk.\n\n{0}", + "reputation.accountAge.tab3" to "Invoer", + "reputation.accountAge.tab2" to "Telling", + "reputation.score" to "Telling", + "reputation.accountAge.tab1" to "Waarom", + "reputation.accountAge.import.step4.signedMessage" to "Json data van Bisq 1", + "reputation.request.error" to "Die versoek om magtiging het misluk. Tekst van klembord:\n{0}", + "reputation.signedWitness.import.step3.instruction1" to "3.1. - Open Bisq 1 en gaan na 'REKENING/NASIONALE GELDREKENINGE'.", + "user.bondedRoles.type.MEDIATOR.about.info" to "As daar konflik is in 'n Bisq Easy handel, kan die handelaars hulp van 'n bemiddelaar aan vra.\nDie bemiddelaar het geen afdwingingsmag nie en kan slegs probeer om te help om 'n samewerkende oplossing te vind. In die geval van duidelike oortredings van die handelsreëls of bedrogpogings, kan die bemiddelaar inligting aan die Moderator verskaf om die slegte akteur van die netwerk te ban.\nBemiddelaars en skeidsregters van Bisq 1 kan Bisq 2 bemiddelaars word sonder om 'n nuwe BSQ-bond te vergrendel.", + "reputation.signedWitness.import.step3.instruction3" to "3.3. - Dit sal json-data skep met 'n handtekening van jou Bisq 2 Profiel-ID en dit na die klembord kopieer.", + "user.bondedRoles.table.columns.role" to "Rol", + "reputation.accountAge.import.step1.instruction" to "Kies die gebruikersprofiel waaraan jy die reputasie wil koppel.", + "reputation.signedWitness.import.step3.instruction2" to "3.2. - Kies die oudste rekening en klik op 'EXPOREER GETEKENDE GETUIE VIR BISQ 2'.", + "reputation.accountAge.import.step2.instruction" to "Kopieer die profiel-ID om op Bisq 1 te plak.", + "reputation.signedWitness.score.info" to "Die invoer van 'getekende rekening-ouderdom getuie' word beskou as 'n swak vorm van reputasie wat verteenwoordig word deur die gewig faktor. Die 'getekende rekening-ouderdom getuie' moet ten minste 61 dae oud wees en daar is 'n limiet van 2000 dae vir die telling berekening.", + "user.bondedRoles.type.SECURITY_MANAGER" to "Sekuriteitsbestuurder", + "reputation.accountAge.import.step4.instruction" to "Plak die json data van die vorige stap", + "reputation.buildReputation.intro.part1.formula.footnote" to "* Oorgeskakel na die geldeenheid wat gebruik word.", + "user.bondedRoles.type.SECURITY_MANAGER.about.inline" to "sekuriteitsbestuurder", + "user.bondedRoles.type.MARKET_PRICE_NODE.about.info" to "Die markprysnode verskaf markdata van die Bisq markprysaggregator.", + "reputation.burnedBsq.score.headline" to "Impak op reputasie-telling", + "user.bondedRoles.type.MODERATOR.about.inline" to "Moderator", + "reputation.burnedBsq.infoHeadline" to "Huid in die spel", + "user.bondedRoles.type.ARBITRATOR.about.inline" to "Skeidsregter", + "user.bondedRoles.registration.how.info.node" to "9. Kopieer die 'default_node_address.json' lêer vanaf die data-gids van die node wat jy wil registreer na jou hardeskyf en open dit met die 'Import node address' knoppie.\n10. Klik op die 'Request registration' knoppie. As alles korrek was, word jou registrasie sigbaar in die Geregistreerde netwerk nodes tabel.", + "user.bondedRoles.type.MODERATOR" to "Moderator", + "reputation.buildReputation.intro.part2" to "As 'n verkoper 'n aanbod plaas met 'n bedrag wat nie deur hul reputasie-telling gedek word nie, sal die koper 'n waarskuwing sien oor die potensiële risiko's wanneer hulle daardie aanbod aanvaar.", + "reputation.buildReputation.intro.part1" to "Bisq Easy se sekuriteitsmodel is gebaseer op die verkoper se reputasie. Dit is omdat die koper tydens 'n handel die fiat bedrag eerste stuur, daarom moet die verkoper reputasie verskaf om 'n sekere vlak van sekuriteit te vestig.\n'n Verkoper kan aanbiedings aanvaar tot die bedrag wat afgelei is van hul reputasie-telling.\nDit word soos volg bereken:", + "user.bondedRoles.type.SEED_NODE" to "Saadnode", + "reputation.bond.infoHeadline2" to "Wat is die aanbevole bedrag en vergrendel tyd?", + "reputation.bond.tab2" to "Telling", + "reputation.bond.tab1" to "Waarom", + "reputation" to "Reputasie", + "user.bondedRoles.registration.showInfo" to "Wys instruksies", + "reputation.bond.tab3" to "Hoe om", + "user.bondedRoles.table.columns.isBanned" to "Is verbied", + "reputation.burnedBsq.totalScore" to "Verbrande BSQ bedrag * gewig * (1 + ouderdom / 365)", + "reputation.request" to "Versoek toestemming", + "user.bondedRoles.type.MARKET_PRICE_NODE.how.inline" to "'n markprysnode-operateur", + "reputation.reputationScore.explanation.stars.title" to "Sterre", + "user.bondedRoles.type.MEDIATOR" to "Bemiddelaar", + "reputation.buildReputation" to "Bou reputasie", + "reputation.buildReputation.accountAge.title" to "Rekening-ouderdom", + "reputation.source.BSQ_BOND" to "Verbonde BSQ", + "reputation.table.columns.details.popup.headline" to "Reputasie besonderhede", + "user.bondedRoles.type.RELEASE_MANAGER.about.info" to "'n Vrystellingsbestuurder kan kennisgewings stuur wanneer 'n nuwe vrystelling beskikbaar is.", + "reputation.accountAge.infoHeadline" to "Verskaf vertroue", + "reputation.accountAge.import.step4.title" to "Stap 4", + "user.bondedRoles.type.SEED_NODE.about.inline" to "saad node operateur", + "reputation.sim.burnAmount.prompt" to "Voer die BSQ-bedrag in", + "reputation.score.formulaHeadline" to "Die reputasie-telling word soos volg bereken:", + "reputation.buildReputation.accountAge.button" to "Leer hoe om rekening-ouderdom te importeer", + "reputation.signedWitness.tab2" to "Telling", + "reputation.signedWitness.tab1" to "Waarom", + "reputation.table.columns.reputation" to "Reputasie", + "user.bondedRoles.verification.howTo.instruction" to "1. Maak Bisq 1 oop en gaan na 'DAO/Bonding/Verbonde rolle' en kies die rol volgens die verbond-gebruikersnaam en die rol tipe.\n2. Klik op die verifieer-knoppie, kopieer die profiel-ID en plak dit in die boodskapveld.\n3. Kopieer die handtekening en plak dit in die handtekeningveld in Bisq 1.\n4. Klik op die verifieer-knoppie. As die handtekeningkontrole slaag, is die verbonde rol geldig.", + "reputation.signedWitness.tab3" to "Hoe om te", + "reputation.buildReputation.title" to "Hoe kan verkopers hul reputasie bou?", + "reputation.buildReputation.bsqBond.button" to "Leer hoe om BSQ te verbonde", + "reputation.burnedBsq.infoHeadline2" to "Wat is die aanbevole bedrag om te verbrande?", + "reputation.signedWitness.import.step4.signedMessage" to "Json data van Bisq 1", + "reputation.buildReputation.burnBsq.button" to "Leer hoe om BSQ te verbrande", + "reputation.accountAge.score.info" to "Die invoer van 'rekening-ouderdom' word beskou as 'n redelik swak vorm van reputasie wat verteenwoordig word deur die lae gewig faktor. Daar is 'n limiet van 2000 dae vir die telling berekening.", + "reputation.reputationScore.intro" to "In hierdie afdeling word Bisq reputasie verduidelik sodat jy ingeligte besluite kan neem wanneer jy 'n aanbod aanvaar.", + "user.bondedRoles.registration.bondHolderName" to "Gebruikersnaam van die verbondhouer", + "user.bondedRoles.type.SEED_NODE.about.info" to "'n Saadnode verskaf netwerkadresse van netwerkdeelnemers vir die opstart van die Bisq 2 P2P-netwerk.\nDit is noodsaaklik by die eerste begin, aangesien die nuwe gebruiker op daardie oomblik nog geen volgehoue data het om met ander peers te verbind nie.\nDit verskaf ook P2P-netwerkdata soos geselskapboodskappe aan die nuut verbindende gebruiker. Daardie dataleweringsdiens word ook deur enige ander netwerknode uitgevoer, maar aangesien saadnodes 24/7 beskikbaar is en 'n hoë vlak van dienskwaliteit bied, verskaf hulle meer stabiliteit en beter prestasie, wat lei tot 'n beter opstartervaring.\nSaadnode-operateurs van Bisq 1 kan Bisq 2 saadnode-operateurs word sonder om 'n nuwe BSQ-bond te vergrendel.", + "reputation.table.headline" to "Reputasie rangskikking", + "user.bondedRoles.type.SECURITY_MANAGER.how.inline" to "'n sekuriteitsbestuurder", + "reputation.buildReputation.bsqBond.description" to "Soortgelyk aan die verbrande BSQ, maar met terugbetaalbare BSQ verbande.\nBSQ moet vir 'n minimum van 50,000 blokke (ongeveer 1 jaar) verbond wees.", + "user.bondedRoles.registration.node.addressInfo.prompt" to "Importeer die 'default_node_address.json' lêer vanaf die node data gids.", + "user.bondedRoles.registration.node.privKey" to "Privaat sleutel", + "user.bondedRoles.registration.headline" to "Versoek registrasie", + "reputation.sim.lockTime" to "Slottyd in blokke", + "reputation.bond" to "BSQ verbande", + "user.bondedRoles.registration.signature.prompt" to "Plak die handtekening van jou verbonde rol", + "reputation.buildReputation.burnBsq.title" to "Verbrande BSQ", + "user.bondedRoles.table.columns.node.address" to "Adres", + "reputation.reputationScore.explanation.score.title" to "Telling", + "user.bondedRoles.type.MARKET_PRICE_NODE" to "Marktprysnode", + "reputation.bond.info2" to "Die vergrendeltyd moet ten minste 50 000 blokke wees, wat ongeveer 1 jaar is, om as 'n geldige verbond beskou te word. Die bedrag kan deur die gebruiker gekies word en sal die rangorde teenoor ander verkopers bepaal. Die verkopers met die hoogste reputasie-telling sal beter handel geleenthede hê en kan 'n hoër pryspremie kry. Die beste aanbiedinge gegradeer volgens reputasie sal bevorder word in die aanbodkeuse by die 'Handel towenaar'.", + "reputation.accountAge.info2" to "Die koppel van jou Bisq 1 rekening met Bisq 2 het 'n paar implikasies vir jou privaatheid. Vir die verifikasie van jou 'rekening-ouderdom' word jou Bisq 1 identiteit kriptografies gekoppel aan jou Bisq 2 profiel-ID.\nTog is die blootstelling beperk tot die 'Bisq 1 brugnode' wat bedryf word deur 'n Bisq bydraer wat 'n BSQ verbintenis opgestel het (verbonde rol).\n\nRekening-ouderdom is 'n alternatief vir diegene wat nie verbrande BSQ of BSQ verbintenisse wil gebruik nie weens die finansiële koste. Die 'rekening-ouderdom' moet ten minste 'n paar maande oud wees om 'n sekere vlak van vertroue te weerspieël.", + "reputation.signedWitness.score.headline" to "Impak op reputasie-telling", + "reputation.accountAge.info" to "Deur jou Bisq 1 'rekening-ouderdom' te koppel, kan jy 'n sekere vlak van vertroue bied. Daar is 'n paar redelike verwagtinge dat 'n gebruiker wat Bisq vir 'n tydperk gebruik het, 'n eerlike gebruiker is. Maar daardie verwagting is swak in vergelyking met ander vorme van reputasie waar die gebruiker sterker bewys lewer met die gebruik van sommige finansiële hulpbronne.", + "reputation.reputationScore.closing" to "Vir meer besonderhede oor hoe 'n verkoper hul reputasie opgebou het, sien die 'Ranking' afdeling en klik 'Wys/versteek besonderhede' in die gebruiker.", + "user.bondedRoles.cancellation.success" to "Die kansellasieverzoek is suksesvol gestuur. U sal in die tabel hieronder sien of die kansellasieverzoek suksesvol geverifieer is en die rol deur die orakelnode verwyder is.", + "reputation.buildReputation.intro.part1.formula.output" to "Maximale handelsbedrag in USD *", + "reputation.buildReputation.signedAccount.title" to "Getekende rekening-ouderdom getuie", + "reputation.signedWitness.infoHeadline" to "Verskaf vertroue", + "user.bondedRoles.type.EXPLORER_NODE.about.info" to "Die blockchain verkenner node word in Bisq Easy gebruik vir transaksie soektog van die Bitcoin transaksie.", + "reputation.buildReputation.signedAccount.description" to "Gebruikers van Bisq 1 kan reputasie opbou deur hul getekende rekening-ouderdom van Bisq 1 na Bisq 2 te importeer.", + "reputation.burnedBsq.score.info" to "Die verbranding van BSQ word beskou as die sterkste vorm van reputasie wat verteenwoordig word deur die hoë gewig faktor. 'n Tydgebaseerde hupstoot word toegepas gedurende die eerste jaar, wat die telling geleidelik verhoog tot dubbel sy aanvanklike waarde.", + "reputation.accountAge" to "Rekening-ouderdom", + "reputation.burnedBsq.howTo" to "1. Kies die gebruikersprofiel waarvoor jy die reputasie wil heg.\n2. Kopieer die 'profiel-ID'\n3. Maak Bisq 1 oop en gaan na 'DAO/PROOF OF BURN' en plak die gekopieerde waarde in die 'pre-image' veld.\n4. Voer die bedrag van BSQ in wat jy wil verbrande.\n5. Publiseer die Verbrand BSQ transaksie.\n6. Na blockchain bevestiging sal jou reputasie sigbaar word in jou profiel.", + "user.bondedRoles.type.ARBITRATOR.how.inline" to "'n skeidsregter", + "user.bondedRoles.type.RELEASE_MANAGER" to "Vrystellingsbestuurder", + "reputation.bond.info" to "Deur 'n BSQ verbond op te stel, verskaf jy bewys dat jy geld opgesluit het om reputasie te verkry.\nDie BSQ verbond transaksie bevat die hash van die openbare sleutel van jou profiel. In die geval van kwaadwillige gedrag kan jou verbond deur die DAO gekonfiskeer word en jou profiel mag verbied word.", + "reputation.weight" to "Gewig", + "reputation.buildReputation.bsqBond.title" to "Verbonde BSQ", + "reputation.sim.age" to "Ouderdom in dae", + "reputation.burnedBsq.howToHeadline" to "Proses vir die verbrande BSQ", + "reputation.bond.howToHeadline" to "Proses om 'n BSQ verbintenis op te stel", + "reputation.sim.age.prompt" to "Voer die ouderdom in dae in", + "user.bondedRoles.type.SECURITY_MANAGER.about.info" to "'n Sekuriteitsbestuurder kan 'n waarskuwingboodskap stuur in geval van noodgevalle.", + "reputation.bond.score.info" to "Die opstelling van 'n BSQ verbond word beskou as 'n sterk vorm van reputasie. Die vergrendeltyd moet ten minste wees: 50 000 blokke (ongeveer 1 jaar). 'n Tyd-gebaseerde hupstoot word toegepas gedurende die eerste jaar, wat die telling geleidelik tot dubbel sy aanvanklike waarde verhoog.", + "reputation.signedWitness" to "Getekende rekening-ouderdom getuie", + "user.bondedRoles.registration.about.headline" to "Oor die {0} rol", + "user.bondedRoles.registration.hideInfo" to "Versteek instruksies", + "reputation.source.BURNED_BSQ" to "Verbrande BSQ", + "reputation.buildReputation.learnMore" to "Leer meer oor die Bisq reputasiesisteem by die", + "reputation.reputationScore.explanation.stars.description" to "Dit is 'n grafiese voorstelling van die telling. Sien die omskakelings tabel hieronder vir hoe sterre bereken word.\nDit word aanbeveel om te handel met verkopers wat die hoogste aantal sterre het.", + "reputation.burnedBsq.tab1" to "Hoekom", + "reputation.burnedBsq.tab3" to "Hoe om", + "reputation.burnedBsq.tab2" to "Telling", + "user.bondedRoles.registration.node.addressInfo" to "Node adres data", + "reputation.buildReputation.signedAccount.button" to "Leer hoe om 'n getekende rekening te invoer", + "user.bondedRoles.type.ORACLE_NODE.about.info" to "Die orakelnode word gebruik om Bisq 1 en DAO data te verskaf vir Bisq 2 gebruiksgevalle soos reputasie.", + "reputation.buildReputation.intro.part1.formula.input" to "Reputasie-telling", + "reputation.signedWitness.import.step2.title" to "Stap 2", + "reputation.table.columns.reputationScore" to "Reputasie-telling", + "user.bondedRoles.table.columns.node.address.openPopup" to "Open adresdata pop-up", + "reputation.sim.lockTime.prompt" to "Voer vergrendel tyd in", + "reputation.sim.score" to "Totaal telling", + "reputation.accountAge.import.step3.title" to "Stap 3", + "reputation.signedWitness.info2" to "Die koppel van jou Bisq 1 rekening met Bisq 2 het 'n paar implikasies vir jou privaatheid. Vir die verifikasie van jou 'getekende rekening-ouderdom getuie' word jou Bisq 1 identiteit kriptografies gekoppel aan jou Bisq 2 profiel-ID.\nAlhoewel, die blootstelling is beperk tot die 'Bisq 1 brugknoop' wat bedryf word deur 'n Bisq bydraer wat 'n BSQ verbintenis opgestel het (verbonde rol).\n\nGetekende rekening-ouderdom getuie is 'n alternatief vir diegene wat nie verbrande BSQ of BSQ verbintenisse wil gebruik nie weens die finansiële las. Die 'getekende rekening-ouderdom getuie' moet ten minste 61 dae oud wees om vir reputasie oorweeg te word.", + "user.bondedRoles.type.RELEASE_MANAGER.how.inline" to "'n vrystellingsbestuurder", + "user.bondedRoles.table.columns.oracleNode" to "Oracle-knoop", + "reputation.accountAge.import.step2.title" to "Stap 2", + "user.bondedRoles.type.MODERATOR.about.info" to "Geselskap gebruikers kan oortredings van die geselskap of handel reëls aan die Moderator rapporteer.\nIn die geval dat die verskafde inligting voldoende is om 'n reël oortreding te verifieer, kan die Moderator daardie gebruiker van die netwerk ban.\nIn die geval van ernstige oortredings van 'n verkoper wat 'n soort reputasie verdien het, word die reputasie ongeldig en die relevante brondata (soos die DAO transaksie of rekening ouderdom data) sal in Bisq 2 op 'n swartlys geplaas word en aan Bisq 1 teruggerapporteer word deur die orakel operateur en die gebruiker sal ook by Bisq 1 geban word.", + "reputation.source.PROFILE_AGE" to "Profiel-ouderdom", + "reputation.bond.howTo" to "1. Kies die gebruikersprofiel waarvoor jy die reputasie wil heg.\n2. Kopieer die 'profiel-ID'\n3. Maak Bisq 1 oop en gaan na 'DAO/BONDING/VERBONDE REPUTASIE' en plak die gekopieerde waarde in die 'salt' veld.\n4. Voer die bedrag van BSQ in wat jy wil vergrendel en die vergrendel tyd (50 000 blokke).\n5. Publiseer die vergrendel transaksie.\n6. Na blockchain bevestiging sal jou reputasie sigbaar word in jou profiel.", + "reputation.table.columns.details" to "Besonderhede", + "reputation.details.table.columns.score" to "Telling", + "reputation.bond.infoHeadline" to "Huid in die spel", + "user.bondedRoles.registration.node.showKeyPair" to "Wys sleutel paar", + "user.bondedRoles.table.columns.userProfile.defaultNode" to "Knoopoperateur met staties verskaf sleutel", + "reputation.signedWitness.import.step1.title" to "Stap 1", + "user.bondedRoles.type.MODERATOR.how.inline" to "'n Moderator", + "user.bondedRoles.cancellation.requestCancellation" to "Versoek kansellasie", + "user.bondedRoles.verification.howTo.nodes" to "Hoe om 'n netwerk node te verifieer?", + "user.bondedRoles.registration.how.info" to "1. Kies die gebruikersprofiel wat jy wil gebruik vir registrasie en skep 'n rugsteun van jou datagids.\n3. Maak 'n voorstel by 'https://github.com/bisq-network/proposals' om {0} te word en voeg jou profiel-ID by die voorstel.\n4. Nadat jou voorstel hersien is en ondersteuning van die gemeenskap gekry het, maak 'n DAO-voorstel vir 'n verbonde rol.\n5. Nadat jou DAO-voorstel aanvaar is in die DAO-stemming, sluit die vereiste BSQ-bond op.\n6. Nadat jou bondtransaksie bevestig is, gaan na 'DAO/Bonding/Verbonde rolle' in Bisq 1 en klik op die tekenknoppie om die tekenpop-upvenster te open.\n7. Kopieer die profiel-ID en plak dit in die boodskapveld. Klik teken en kopieer die handtekening. Plak die handtekening in die Bisq 2 handtekeningveld.\n8. Voer die naam van die verbondhouer in.\n{1}", + "reputation.accountAge.score.headline" to "Impak op reputasie-telling", + "user.bondedRoles.table.columns.userProfile" to "Gebruikersprofiel", + "reputation.accountAge.import.step1.title" to "Stap 1", + "reputation.signedWitness.import.step3.title" to "Stap 3", + "user.bondedRoles.registration.profileId" to "Profiel-ID", + "user.bondedRoles.type.ARBITRATOR" to "Skeidsregter", + "user.bondedRoles.type.ORACLE_NODE.how.inline" to "'n orakel node operateur", + "reputation.pubKeyHash" to "Profiel-ID", + "reputation.reputationScore.sellerReputation" to "Die reputasie van 'n verkoper is die beste sein\nto voorspel die waarskynlikheid van 'n suksesvolle handel in Bisq Easy.", + "user.bondedRoles.table.columns.signature" to "Getekende getuie", + "user.bondedRoles.registration.node.pubKey" to "Publieke sleutel", + "user.bondedRoles.type.EXPLORER_NODE.about.inline" to "ontdekker node operateur", + "user.bondedRoles.table.columns.profileId" to "Profiel-ID", + "user.bondedRoles.type.MARKET_PRICE_NODE.about.inline" to "markprijsnode-operateur", + "reputation.source.BISQ1_SIGNED_ACCOUNT_AGE_WITNESS" to "Getekende getuie", + "reputation.accountAge.import.step3.instruction1" to "3.1. - Open Bisq 1 en gaan na 'REKENING/NASIONALE GELDREKENINGE'.", + "reputation.accountAge.import.step3.instruction2" to "3.2. - Kies die oudste rekening en klik op 'EXPOREER REKENING-ouderdom VIR BISQ 2'.", + "reputation.accountAge.import.step3.instruction3" to "3.3. - Dit sal json-data skep met 'n handtekening van jou Bisq 2 Profiel-ID en dit na die klembord kopieer.", + "user.bondedRoles.table.columns.node.address.popup.headline" to "Node adres data", + "reputation.reputationScore.explanation.score.description" to "Dit is die totale telling wat 'n verkoper tot dusver opgebou het.\nDie telling kan op verskeie maniere verhoog word. Die beste manier om dit te doen is deur BSQ te verbrande of te verbind. Dit beteken die verkoper het 'n verbintenis vooraf gemaak en kan gevolglik as betroubaar beskou word.\nVerdere leeswerk oor hoe om die telling te verhoog kan in die 'Bou reputasie' afdeling gevind word.\nDit word aanbeveel om met verkopers te handel wat die hoogste telling het.", + "reputation.details.table.columns.source" to "Tipe", + "reputation.sim.burnAmount" to "Verbrande BSQ bedrag", + "reputation.buildReputation.burnBsq.description" to "Dit is die sterkste vorm van reputasie.\nDie telling wat verkry word deur BSQ te verbrande, verdubbel gedurende die eerste jaar.", + "user.bondedRoles.registration.failed" to "Die stuur van die registrasieversoek het gefaal.\n\n{0}", + "user.bondedRoles.type.ORACLE_NODE" to "Oracle-knoop", + "user.bondedRoles.table.headline.nodes" to "Geregistreerde netwerk nodes", + "user.bondedRoles.headline.nodes" to "Netwerk nodes", + "user.bondedRoles.registration.bondHolderName.prompt" to "Voer die gebruikersnaam van die Bisq 1 verbondhouer in", + "reputation.burnedBsq.info2" to "Dit sal bepaal word deur die mededinging van verkopers. Die verkopers met die hoogste reputasie-telling sal beter handel geleenthede hê en kan 'n hoër pryspremie kry. Die beste aanbiedinge gegradeer volgens reputasie sal bevorder word in die aanbodkeuse by die 'Handel wizard'.", + "reputation.reputationScore.explanation.ranking.title" to "Ranking", + "reputation.sim.headline" to "Simulasie-instrument:", + "reputation.accountAge.totalScore" to "Rekening-ouderdom in dae * gewig", + "user.bondedRoles.table.columns.node" to "Knoop", + "user.bondedRoles.verification.howTo.roles" to "Hoe om 'n verbonde rol te verifieer?", + "reputation.signedWitness.import.step2.profileId" to "Profiel-ID (Plak op die rekening skerm op Bisq 1)", + "reputation.bond.totalScore" to "BSQ bedrag * gewig * (1 + ouderdom / 365)", + "user.bondedRoles.type.ORACLE_NODE.about.inline" to "orakel node operateur", + "reputation.table.columns.userProfile" to "Gebruiker profiel", + "user.bondedRoles.registration.signature" to "Handtekening", + "reputation.table.columns.livenessState" to "Laaste gebruikeraktiwiteit", + "user.bondedRoles.table.headline.roles" to "Geregistreerde verbonde rolle", + "reputation.signedWitness.import.step4.title" to "Stap 4", + "user.bondedRoles.type.EXPLORER_NODE" to "Ontdekker-knoop", + "user.bondedRoles.type.MEDIATOR.about.inline" to "bemiddelaar", + "user.bondedRoles.type.EXPLORER_NODE.how.inline" to "'n verbonde rol operateur", + "user.bondedRoles.registration.success" to "Registrasieversoek is suksesvol gestuur. U sal in die tabel hieronder sien of die registrasie suksesvol geverifieer en gepubliseer is deur die orakel-knoop.", + "reputation.signedWitness.infoHeadline2" to "Privaatheidsimplikasies", + "user.bondedRoles.type.SEED_NODE.how.inline" to "'n saadnode-operateur", + "reputation.buildReputation.headline" to "Bou reputasie", + "reputation.reputationScore.headline" to "Reputasie-telling", + "user.bondedRoles.registration.node.importAddress" to "Importeer node adres", + "user.bondedRoles.registration.how.info.role" to "9. Klik die 'Versoek registrasie' knoppie. As alles korrek was, word jou registrasie sigbaar in die Geregistreerde verbonde rolle tabel.", + "user.bondedRoles.table.columns.bondUserName" to "Verbonde gebruikersnaam", + ), + "chat" to mapOf( + "chat.message.wasEdited" to "(gewysig)", + "support.support.description" to "Kanaal vir ondersteuning vrae", + "chat.sideBar.userProfile.headline" to "Gebruikersprofiel", + "chat.message.reactionPopup" to "gereageer met", + "chat.listView.scrollDown" to "Rolleer af", + "chat.message.privateMessage" to "Stuur privaat boodskap", + "chat.notifications.offerTaken.message" to "Handel-ID: {0}", + "discussion.bisq.description" to "Publieke kanaal vir besprekings", + "chat.reportToModerator.info" to "Maak asseblief seker dat jy bekend is met die handelsreëls en dat die rede vir die verslaggewing as 'n oortreding van daardie reëls beskou word.\nJy kan die handelsreëls en geselskapreëls lees deur op die vraagtekenikoon in die boonste regterhoek van die geselskapskerms te klik.", + "chat.notificationsSettingsMenu.all" to "Alle boodskappe", + "chat.message.deliveryState.ADDED_TO_MAILBOX" to "Boodskap by die peer se posbus gevoeg.", + "chat.channelDomain.SUPPORT" to "Ondersteuning", + "chat.sideBar.userProfile.ignore" to "Ignore", + "chat.sideBar.channelInfo.notifications.off" to "Af", + "support.support.title" to "Hulp", + "discussion.bitcoin.title" to "Bitcoin", + "chat.ignoreUser.warn" to "Die seleksie van 'Ignore user' sal effektief alle boodskappe van hierdie gebruiker verberg.\n\nHierdie aksie sal van krag wees die volgende keer wanneer jy die geselskap binnekom.\n\nOm dit te herroep, gaan na die meer opsies menu > Kanaalinligting > Deelnemers en kies 'Undo ignore' langs die gebruiker.", + "events.meetups.description" to "Kanaal vir aankondigings vir ontmoetings", + "chat.message.deliveryState.FAILED" to "Stuur boodskap het misluk.", + "chat.sideBar.channelInfo.notifications.all" to "Alle boodskappe", + "discussion.bitcoin.description" to "Kanaal vir besprekings oor Bitcoin", + "chat.message.input.prompt" to "Tik 'n nuwe boodskap", + "chat.channelDomain.BISQ_EASY_OFFERBOOK" to "Bisq Easy", + "chat.message.takeOffer.buyer.makersReputationScoreTooLow.no" to "Nee, ek soek 'n ander aanbod", + "chat.ellipsisMenu.tradeGuide" to "Handel gids", + "chat.chatRules.content" to "- Wees respekvol: Behandel ander vriendelik, vermy aanstootlike taal, persoonlike aanvalle, en teistering.- Wees verdraagsaam: Hou 'n oop gemoed en aanvaar dat ander dalk verskillende menings, kulturele agtergronde en ervarings het.- Geen spamming nie: Vermy om die geselskap met herhalende of onbelangrike boodskappe te oorstroom.- Geen advertering nie: Vermy om kommersiële produkte, dienste, of promosie skakels te bevorder.- Geen trolling nie: Ontwrigtende gedrag en doelbewuste provokasie is nie welkom nie.- Geen nabootsing nie: Moet nie byname gebruik wat ander mislei om te dink jy is 'n bekende persoon nie.- Respekteer privaatheid: Beskerm jou en ander se privaatheid; moenie handelsbesonderhede deel nie.- Meld wangedrag: Meld reël oortredings of onvanpaste gedrag aan die Moderator.- Geniet die geselskap: Neem deel aan betekenisvolle besprekings, maak vriende, en geniet dit in 'n vriendelike en inklusiewe gemeenskap.\n\nDeur aan die geselskap deel te neem, stem jy in om hierdie reëls te volg.\nErge reël oortredings kan lei tot 'n verbod van die Bisq netwerk.", + "chat.messagebox.noChats.placeholder.description" to "Sluit aan by die besprekings op {0} om jou gedagtes te deel en vrae te vra.", + "chat.channelDomain.BISQ_EASY_OPEN_TRADES" to "Bisq Easy handel", + "chat.message.deliveryState.MAILBOX_MSG_RECEIVED" to "Peer het die posbusboodskap afgelaai.", + "chat.message.takeOffer.buyer.makersReputationScoreTooLow.warning" to "Die verkoper se reputasie-telling van {0} is onder die vereiste telling van {1} vir 'n handel bedrag van {2}.\n\nBisq Easy se sekuriteitsmodel staat op die verkoper se reputasie, aangesien die koper eerstens die fiat-geld moet stuur. As jy kies om voort te gaan met die aanbod ten spyte van die gebrek aan reputasie, maak seker dat jy die risiko's ten volle verstaan.\n\nOm meer te leer oor die reputasiestelsel, besoek: [HYPERLINK:https://bisq.wiki/Reputasie].\n\nWil jy voortgaan en daardie aanbod aanvaar?", + "chat.message.input.send" to "Stuur boodskap", + "chat.message.send.offerOnly.warn" to "Jy het die 'Slegs aanbiedinge' opsie gekies. Normale teksboodskappe sal nie in daardie modus vertoon word nie.\n\nWil jy die modus verander om alle boodskappe te sien?", + "chat.notificationsSettingsMenu.title" to "Kennisgewing opsies:", + "chat.notificationsSettingsMenu.globalDefault" to "Gebruik verstek", + "chat.privateChannel.message.leave" to "{0} het daardie gesels verlaat", + "chat.channelDomain.BISQ_EASY_PRIVATE_CHAT" to "Bisq Easy", + "chat.sideBar.userProfile.profileAge" to "Profiel-ouderdom", + "events.tradeEvents.description" to "Kanaal vir aankondigings vir handel gebeurtenisse", + "chat.sideBar.userProfile.mention" to "Verwys", + "chat.notificationsSettingsMenu.off" to "Af", + "chat.private.leaveChat.confirmation" to "Is jy seker jy wil hierdie geselskap verlaat?\nJy sal toegang tot die geselskap en al die geselskapinligting verloor.", + "chat.reportToModerator.message.prompt" to "Voer boodskap aan Moderator in", + "chat.message.resendMessage" to "Klik om die boodskap weer te stuur.", + "chat.reportToModerator.headline" to "Rapporteer aan Moderator", + "chat.sideBar.userProfile.livenessState" to "Laaste gebruikeraktiwiteit", + "chat.privateChannel.changeUserProfile.warn" to "Jy is in 'n private geselskapkanaal wat geskep is met gebruikersprofiel ''{0}''.\n\nJy kan nie die gebruikersprofiel verander terwyl jy in daardie geselskapkanaal is.", + "chat.message.contextMenu.ignoreUser" to "Ignoreer gebruiker", + "chat.message.contextMenu.reportUser" to "Rapporteer gebruiker aan Moderator", + "chat.leave.info" to "Jy is besig om hierdie geselskap te verlaat.", + "chat.messagebox.noChats.placeholder.title" to "Begin die gesprek!", + "support.questions.description" to "Kanaal vir transaksie-assistentie", + "chat.message.deliveryState.CONNECTING" to "Verbinde met peer.", + "chat.message.takeOffer.buyer.makersReputationScoreTooLow.yes" to "Ja, ek verstaan die risiko en wil voortgaan", + "discussion.markets.title" to "Markte", + "chat.notificationsSettingsMenu.tooltip" to "Kennisgewing opsies", + "chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.warning" to "Die verkoper se reputasie-telling is {0}, wat onder die vereiste telling van {1} vir 'n handel bedrag van {2} is.\n\nAangesien die handel bedrag relatief laag is, is die reputasie vereistes verslap. As u egter besluit om voort te gaan ten spyte van die verkoper se onvoldoende reputasie, maak seker dat u die gepaardgaande risiko's ten volle verstaan. Bisq Easy se sekuriteitsmodel hang af van die verkoper se reputasie, aangesien die koper vereis word om fiat-geld eerste te stuur.\n\nOm meer oor die reputasie stelsel te leer, besoek: [HYPERLINK:https://bisq.wiki/Reputasie].\n\nWil u steeds die aanbod aanvaar?", + "chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.yes" to "Ja, ek verstaan die risiko en wil voortgaan", + "chat.message.supportedLanguages" to "Ondersteunde tale:", + "chat.sideBar.userProfile.totalReputationScore" to "Totaal reputasie-telling", + "chat.topMenu.chatRules.tooltip" to "Open geselskapreëls", + "support.reports.description" to "Kanaal vir voorval en bedrog verslag", + "events.podcasts.title" to "Podcasts", + "chat.sideBar.userProfile.statement" to "Staat", + "chat.sideBar.userProfile.sendPrivateMessage" to "Stuur privaat boodskap", + "chat.sideBar.userProfile.undoIgnore" to "Herstel ignoreer", + "chat.channelDomain.DISCUSSION" to "Besprekings", + "chat.message.delete.differentUserProfile.warn" to "Hierdie geselskapmsg is geskep met 'n ander gebruiker profiel.\n\nWil jy die boodskap verwyder?", + "chat.message.moreOptions" to "Meer opsies", + "chat.private.messagebox.noChats.title" to "{0} privaat geselskapen", + "chat.reportToModerator.report" to "Rapporteer aan Moderator", + "chat.message.deliveryState.ACK_RECEIVED" to "Boodskap ontvangs erken.", + "events.tradeEvents.title" to "Handel", + "discussion.bisq.title" to "Besprekings", + "chat.private.messagebox.noChats.placeholder.title" to "Jy het geen lopende gesprekke nie", + "chat.sideBar.userProfile.id" to "Gebruiker id", + "chat.sideBar.userProfile.transportAddress" to "Vervoeradres", + "chat.sideBar.userProfile.version" to "weergawe", + "chat.listView.scrollDown.newMessages" to "Rolleer af om nuwe boodskappe te lees", + "chat.sideBar.userProfile.nym" to "Bot-id", + "chat.message.takeOffer.seller.myReputationScoreTooLow.warning" to "Jou reputasie-telling is {0} en onder die vereiste reputasie-telling van {1} vir die handel bedrag van {2}.\n\nDie sekuriteitsmodel van Bisq Easy is gebaseer op die verkoper se reputasie.\nOm meer te leer oor die reputasie-stelsel, besoek: [HYPERLINK:https://bisq.wiki/Reputasie].\n\nJy kan meer lees oor hoe om jou reputasie op te bou by ''Reputasie/Bou Reputasie''.", + "chat.private.messagebox.noChats.placeholder.description" to "Om met 'n peer privaat te gesels, beweeg oor hul boodskap in 'n\npublieke geselskap en klik op 'Stuur privaat boodskap'.", + "chat.message.takeOffer.seller.myReputationScoreTooLow.headline" to "Jou reputasie-telling is te laag om daardie aanbod te aanvaar", + "chat.sideBar.channelInfo.participants" to "Deelnemers", + "events.podcasts.description" to "Kanaal vir aankondigings vir podcasts", + "chat.message.deliveryState.SENT" to "Boodskap gestuur (ontvangs nog nie bevestig nie).", + "chat.message.offer.offerAlreadyTaken.warn" to "Jy het daardie aanbod reeds geneem.", + "chat.message.supportedLanguages.Tooltip" to "Ondersteunde tale", + "chat.ellipsisMenu.channelInfo" to "Kanaalinligting", + "discussion.markets.description" to "Kanaal vir besprekings oor markte en pryse", + "chat.topMenu.tradeGuide.tooltip" to "Open handel gids", + "chat.sideBar.channelInfo.notifications.mention" to "As jy genoem word", + "chat.message.send.differentUserProfile.warn" to "U het 'n ander gebruiker profiel in daardie kanaal gebruik.\n\nIs u seker dat u daardie boodskap met die tans geselekteerde gebruiker profiel wil stuur?", + "events.meetups.title" to "Besprekings", + "chat.message.citation.headline" to "Antwoord op:", + "chat.notifications.offerTaken.title" to "Jou aanbod is geneem deur {0}", + "chat.message.takeOffer.buyer.makersReputationScoreTooLow.headline" to "Sekuriteitswaarskuwing", + "chat.ignoreUser.confirm" to "Ignoreer gebruiker", + "chat.chatRules.headline" to "Geselskap reëls", + "discussion.offTopic.description" to "Kanaal vir buite-tema gesprekke", + "chat.leave.confirmLeaveChat" to "Verlaat die gesels", + "chat.sideBar.channelInfo.notifications.globalDefault" to "Gebruik verstek", + "support.reports.title" to "Verslag", + "chat.message.reply" to "Antwoord", + "support.questions.title" to "Hulp", + "chat.sideBar.channelInfo.notification.options" to "Kennisgewing opsies", + "chat.reportToModerator.message" to "Boodskap aan Moderator", + "chat.sideBar.userProfile.terms" to "Handelsvoorwaardes", + "chat.leave" to "Klik hier om te verlaat", + "chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.headline" to "Asseblief hersien die risiko's wanneer u daardie aanbod aanvaar", + "events.conferences.description" to "Kanaal vir aankondigings vir konferensies", + "discussion.offTopic.title" to "Buite onderwerp", + "chat.ellipsisMenu.chatRules" to "Geselskap reëls", + "chat.notificationsSettingsMenu.mention" to "As genoem", + "events.conferences.title" to "Konferensies", + "chat.ellipsisMenu.tooltip" to "Meer opsies", + "chat.private.openChatsList.headline" to "Geselskapere", + "chat.notifications.privateMessage.headline" to "Privaat boodskap", + "chat.channelDomain.EVENTS" to "Gebeurtenisse", + "chat.sideBar.userProfile.report" to "Rapporteer aan Moderator", + "chat.message.deliveryState.TRY_ADD_TO_MAILBOX" to "Probeer om boodskap by die peer se posbus te voeg.", + "chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.no" to "Nee, ek soek 'n ander aanbod", + "chat.private.title" to "Privaat geselskapies", + ), + "support" to mapOf( + "support.resources.guides.headline" to "Gids", + "support.resources.resources.community" to "Bisq gemeenskap by Matrix", + "support.resources.backup.headline" to "Back-up", + "support.resources.backup.setLocationButton" to "Stel rugsteun ligging in", + "support.resources.resources.contribute" to "Hoe om by te dra tot Bisq", + "support.resources.backup.location.prompt" to "Stel rugsteun ligging in", + "support.resources.legal.license" to "Sagtewarelisensie (AGPLv3)", + "support.resources" to "Hulpbronne", + "support.resources.backup.backupButton" to "Maak 'n rugsteun van die Bisq datagids", + "support.resources.backup.destinationNotExist" to "Back-up bestemming ''{0}'' bestaan nie", + "support.resources.backup.selectLocation" to "Kies rugsteun ligging", + "support.resources.backup.location.invalid" to "Back-up ligging pad is ongeldig", + "support.resources.legal.headline" to "Regshulp", + "support.resources.resources.webpage" to "Bisq webblad", + "support.resources.guides.chatRules" to "Oop geselskapreëls", + "support.resources.backup.location" to "Back-up ligging", + "support.resources.localData.openTorLogFile" to "Open Tor 'debug.log' lêer", + "support.resources.legal.tac" to "Open gebruikersooreenkoms", + "support.resources.localData.headline" to "Plaaslike data", + "support.resources.backup.success" to "Backup suksesvol gestoor na:\n{0}", + "support.resources.backup.location.help" to "Back-up is nie versleuteld nie", + "support.resources.localData.openDataDir" to "Open Bisq data gids", + "support.resources.resources.dao" to "Oor die Bisq DAO", + "support.resources.resources.sourceCode" to "GitHub bronnkode-berging", + "support.resources.resources.headline" to "Web hulpbronne", + "support.resources.localData.openLogFile" to "Open 'bisq.log' lêer", + "support.resources.guides.tradeGuide" to "Open handel gids", + "support.resources.guides.walletGuide" to "Ope beursie gids", + "support.assistance" to "Hulp", + ), + "user" to mapOf( + "user.password.savePassword.success" to "Wagwoordbeskerming geaktiveer.", + "user.bondedRoles.userProfile.select.invalid" to "Verskaf asseblief 'n gebruikersprofiel uit die lys", + "user.paymentAccounts.noAccounts.whySetup" to "Hoekom is dit nuttig om 'n rekening op te stel?", + "user.paymentAccounts.deleteAccount" to "Verwyder betalingrekening", + "user.userProfile.terms.tooLong" to "Handel terme mag nie langer wees as {0} karakters nie", + "user.password.enterPassword" to "Voer wagwoord in (min. 8 karakters)", + "user.userProfile.statement.tooLong" to "Die verklaring mag nie langer wees as {0} karakters nie", + "user.paymentAccounts.createAccount.subtitle" to "Die betalingrekening word slegs plaaslik op jou rekenaar gestoor en slegs na jou handelspartner gestuur as jy besluit om dit te doen.", + "user.password.confirmPassword" to "Bevestig wagwoord", + "user.userProfile.popup.noSelectedProfile" to "Asseblief kies 'n gebruiker profiel uit die lys", + "user.userProfile.statement.prompt" to "Voer opsionele verklaring in", + "user.userProfile.comboBox.description" to "Gebruikersprofiel", + "user.userProfile.save.popup.noChangesToBeSaved" to "Daar is geen nuwe veranderinge om gestoor te word", + "user.userProfile.livenessState" to "Laaste gebruikersaktiwiteit: {0} gelede", + "user.userProfile.statement" to "Staat", + "user.paymentAccounts.accountData" to "Betalingrekening inligting", + "user.paymentAccounts.createAccount" to "Skep nuwe betalingrekening", + "user.paymentAccounts.noAccounts.whySetup.info" to "Wanneer jy Bitcoin verkoop, moet jy jou betalingrekeningbesonderhede aan die koper verskaf om die fiat-betaling te ontvang. Om rekeninge vooraf op te stel, maak vinnige en gerieflike toegang tot hierdie inligting tydens die handel moontlik.", + "user.userProfile.deleteProfile" to "Verwyder profiel", + "user.userProfile.reputation" to "Reputasie", + "user.userProfile.learnMore" to "Hoekom 'n nuwe profiel skep?", + "user.userProfile.terms" to "Handel terme", + "user.userProfile.deleteProfile.popup.warning" to "Wil jy regtig {0} verwyder? Jy kan hierdie operasie nie ongedaan maak nie.", + "user.paymentAccounts.createAccount.sameName" to "Hierdie rekeningnaam word reeds gebruik. Gebruik asseblief 'n ander naam.", + "user.userProfile" to "Gebruiker profiel", + "user.password" to "Wagwoord", + "user.userProfile.nymId" to "Bot-ID", + "user.paymentAccounts" to "Betalingrekeninge", + "user.paymentAccounts.createAccount.accountData.prompt" to "Voer die betalingrekeninginligting in (bv. bankrekeningdata) wat jy wil deel met 'n potensiële Bitcoin-koper sodat hulle die nasionale geldeenheidbedrag aan jou kan oorplaas.", + "user.paymentAccounts.headline" to "Jou betalingrekeninge", + "user.userProfile.addressByTransport.I2P" to "I2P adres: {0}", + "user.userProfile.livenessState.description" to "Laaste gebruiker aktiwiteit", + "user.paymentAccounts.selectAccount" to "Kies betalingrekening", + "user.userProfile.new.statement" to "Staat", + "user.userProfile.terms.prompt" to "Voer opsionele handel voorwaardes in", + "user.password.headline.removePassword" to "Verwyder wagwoordbeskerming", + "user.bondedRoles.userProfile.select" to "Kies gebruiker profiel", + "user.userProfile.userName.banned" to "[Banned] {0}", + "user.paymentAccounts.createAccount.accountName" to "Betalingrekening naam", + "user.userProfile.new.terms" to "Jou handel terme", + "user.paymentAccounts.noAccounts.info" to "Jy het nog nie enige rekeninge opgestel nie.", + "user.paymentAccounts.noAccounts.whySetup.note" to "Agtergrondinligting:\nJou rekeningdata word eksklusief plaaslik op jou rekenaar gestoor en word slegs met jou handelspartner gedeel wanneer jy besluit om dit te deel.", + "user.userProfile.profileAge.tooltip" to "Die 'Profiel-ouderdom' is die ouderdom in dae van daardie gebruikersprofiel.", + "user.userProfile.deleteProfile.popup.warning.yes" to "Ja, verwyder profiel", + "user.userProfile.version" to "Weergawe: {0}", + "user.userProfile.profileAge" to "Profiel-ouderdom", + "user.userProfile.tooltip" to "Bynaam: {0}\nBot-ID: {1}\nProfiel-ID: {2}\n{3}", + "user.userProfile.new.step2.subTitle" to "U kan opsioneel 'n persoonlike verklaring by u profiel voeg en u handel voorwaardes stel.", + "user.paymentAccounts.createAccount.accountName.prompt" to "Stel 'n unieke naam vir jou betalingrekening in", + "user.userProfile.addressByTransport.CLEAR" to "Maak skoon net adres: {0}", + "user.password.headline.setPassword" to "Stel wagwoordbeskerming in", + "user.password.button.removePassword" to "Verwyder wagwoord", + "user.password.removePassword.failed" to "Ongeldige wagwoord.", + "user.userProfile.livenessState.tooltip" to "Die tyd wat verstryk het sedert die gebruikersprofiel weer aan die netwerk gepubliseer is, geaktiveer deur gebruikersaktiwiteite soos muisbewegings.", + "user.userProfile.tooltip.banned" to "Hierdie profiel is verbied!", + "user.userProfile.addressByTransport.TOR" to "Tor adres: {0}", + "user.userProfile.new.step2.headline" to "Voltooi jou profiel", + "user.password.removePassword.success" to "Wagwoordbeskerming verwyder.", + "user.userProfile.livenessState.ageDisplay" to "__PLAASHOUER_9152f9e8-01c5-4747-b893-c98aa036de64__ gelede", + "user.userProfile.createNewProfile" to "Skep nuwe profiel", + "user.userProfile.new.terms.prompt" to "Opsionele stel handel voorwaardes", + "user.userProfile.profileId" to "Profiel-ID", + "user.userProfile.deleteProfile.cannotDelete" to "Die verwydering van die gebruikersprofiel is nie toegelaat nie\n\nOm hierdie profiel te verwyder, moet jy eers:\n- Verwyder alle boodskappe wat met hierdie profiel geplaas is\n- Sluit alle privaat kanale vir hierdie profiel\n- Maak seker dat jy ten minste een ander profiel het", + "user.paymentAccounts.noAccounts.headline" to "Jou betalingrekeninge", + "user.paymentAccounts.createAccount.headline" to "Voeg nuwe betalingrekening by", + "user.userProfile.nymId.tooltip" to "Die 'Bot-ID' word gegenereer uit die hash van die publieke sleutel van daardie\ngebruikers profiel se identiteit.\nDit word by die bynaam gevoeg in die geval daar verskeie gebruikers profiele in\ndie netwerk is met dieselfde bynaam om duidelik tussen daardie profiele te onderskei.", + "user.userProfile.new.statement.prompt" to "Opsionele addens verklaring", + "user.password.button.savePassword" to "Stoor wagwoord", + "user.userProfile.profileId.tooltip" to "Die 'Profiel-ID' is die hash van die publieke sleutel van daardie gebruiker se profielidentiteit\ngecodeer as 'n hexadesimale string.", + ), + "network" to mapOf( + "network.version.localVersion.headline" to "Plaaslike weergawe-inligting", + "network.nodes.header.numConnections" to "Aantal Verbindinge", + "network.transport.traffic.sent.details" to "Data gestuur: {0}\nTyd vir boodskap stuur: {1}\nAantal boodskappe: {2}\nAantal boodskappe volgens klasnaam:{3}\nAantal verspreide data volgens klasnaam:{4}", + "network.nodes.type.active" to "Gebruiker node (aktief)", + "network.connections.outbound" to "Uitgaande", + "network.transport.systemLoad.details" to "Grootte van volgehoue netwerkdata: {0}\nHuidige netwerklas: {1}\nGemiddelde netwerklas: {2}", + "network.transport.headline.CLEAR" to "Duidelike netwerk", + "network.nodeInfo.myAddress" to "My standaard adres", + "network.version.versionDistribution.version" to "Weergawe {0}", + "network.transport.headline.I2P" to "I2P", + "network.version.versionDistribution.tooltipLine" to "{0} gebruikersprofiele met weergawe ''{1}''", + "network.transport.pow.details" to "Totale tyd spandeer: {0}\nGemiddelde tyd per boodskap: {1}\nAantal boodskappe: {2}", + "network.nodes.header.type" to "Tipe", + "network.transport.pow.headline" to "Bewys van werk", + "network.header.nodeTag" to "Identiteitsmerk", + "network.nodes.title" to "My nodes", + "network.connections.ioData" to "{0} / {1} Boodskappe", + "network.connections.title" to "Verbindings", + "network.connections.header.peer" to "Peer", + "network.nodes.header.keyId" to "Sleutel-ID", + "network.version.localVersion.details" to "Bisq weergawe: v{0}\nCommit hash: {1}\nTor weergawe: v{2}", + "network.nodes.header.address" to "Bedieneradres", + "network.connections.seed" to "Saadnode", + "network.p2pNetwork" to "P2P-netwerk", + "network.transport.traffic.received.details" to "Data ontvang: {0}\nTyd vir boodskap deserialisering: {1}\nAantal boodskappe: {2}\nAantal boodskappe volgens klasnaam:{3}\nAantal verspreide data volgens klasnaam:{4}", + "network.nodes" to "Infrastruktuur nodes", + "network.connections.inbound" to "Inkomend", + "network.header.nodeTag.tooltip" to "Identiteitsetiket: {0}", + "network.version.versionDistribution.oldVersions" to "2.0.4 (of laer)", + "network.nodes.type.retired" to "Gebruiker node (afgetree)", + "network.transport.traffic.sent.headline" to "Uitgaande verkeer van laaste uur", + "network.roles" to "Verbonde rolle", + "network.connections.header.sentHeader" to "Gestuur", + "network.connections.header.receivedHeader" to "Ontvang", + "network.nodes.type.default" to "Gossip-knoop", + "network.version.headline" to "Weergawe verspreiding", + "network.myNetworkNode" to "My netwerknode", + "network.transport.headline.TOR" to "Tor", + "network.connections.header.connectionDirection" to "In/Uit", + "network.transport.traffic.received.headline" to "Inkomende verkeer van laaste uur", + "network.transport.systemLoad.headline" to "Stelsellading", + "network.connections.header.rtt" to "RTT", + "network.connections.header.address" to "Adres", + ), + "settings" to mapOf( + "settings.language.supported.select" to "Kies taal", + "settings.network.difficultyAdjustmentFactor.ignoreValueFromSecManager" to "Ignoreer waarde verskaf deur Bisq Sekuriteitsbestuurder", + "settings.notification.option.off" to "Af", + "settings.network.difficultyAdjustmentFactor.description.self" to "Aangepaste PoW moeilikheidsgraad aanpassingsfaktor", + "settings.backup.totalMaxBackupSizeInMB.info.tooltip" to "Belangrike data word outomaties in die datagids gebackup wanneer opdaterings gemaak word,\nvolgens hierdie behoudstrategie:\n - Laaste Uur: Hou 'n maksimum van een rugsteun per minuut.\n - Laaste Dag: Hou een rugsteun per uur.\n - Laaste Week: Hou een rugsteun per dag.\n - Laaste Maand: Hou een rugsteun per week.\n - Laaste Jaar: Hou een rugsteun per maand.\n - Vorige Jare: Hou een rugsteun per jaar.\n\nNeem asseblief kennis, hierdie rugsteunmeganisme beskerm nie teen hardeskyf foute nie.\nVir beter beskerming, beveel ons sterk aan om handmatige rugsteun op 'n alternatiewe hardeskyf te skep.", + "settings.notification.option.all" to "Alle geselskapieboodskappe", + "settings.display" to "Vertoon", + "settings.trade" to "Bied en handel", + "settings.trade.maxTradePriceDeviation" to "Max. handelsprys verdraagsaamheid", + "settings.backup.totalMaxBackupSizeInMB.description" to "Max. grootte in MB vir outomatiese rugsteun", + "settings.language.supported.headline" to "Voeg jou ondersteunde tale by", + "settings.misc" to "Verskeie", + "settings.trade.headline" to "Aanbod en handel instellings", + "settings.trade.maxTradePriceDeviation.invalid" to "Moet 'n waarde wees tussen 1 en {0}%", + "settings.backup.totalMaxBackupSizeInMB.invalid" to "Moet 'n waarde wees tussen {0} MB en {1} MB", + "settings.language.supported.addButton.tooltip" to "Voeg geselekte taal by lys", + "settings.language.supported.subHeadLine" to "Tale waarin jy vlot is", + "settings.display.useAnimations" to "Gebruik animasies", + "settings.notification.notifyForPreRelease" to "Stel in kennis oor voorvrystelling sagteware-opdaterings", + "settings.language.select.invalid" to "Asseblief kies 'n taal uit die lys", + "settings.notification.options" to "Kennisgewing opsies", + "settings.notification.useTransientNotifications" to "Gebruik tydelike kennisgewings", + "settings.language.headline" to "Taalkeuse", + "settings.language.supported.invalid" to "Kies asseblief 'n taal uit die lys", + "settings.language.restart" to "Om die nuwe taal toe te pas, moet jy die toepassing herbegin", + "settings.backup.headline" to "Back-up instellings", + "settings.notification.option.mention" to "As genoem", + "settings.notification.clearNotifications" to "Verwyder kennisgewings", + "settings.display.preventStandbyMode" to "Voorkom standby-modus", + "settings.notifications" to "Kennisgewings", + "settings.network.headline" to "Netwerk instellings", + "settings.language.supported.list.subHeadLine" to "Vloeiend in:", + "settings.trade.closeMyOfferWhenTaken" to "Sluit my aanbod wanneer dit aanvaar word", + "settings.display.resetDontShowAgain" to "Reset alle 'Moet nie weer wys nie' vlae", + "settings.language.select" to "Kies taal", + "settings.network.difficultyAdjustmentFactor.description.fromSecManager" to "PoW moeilikheid aanpassingsfaktor deur Bisq Sekuriteitsbestuurder", + "settings.language" to "Taal", + "settings.display.headline" to "Vertoon instellings", + "settings.network.difficultyAdjustmentFactor.invalid" to "Moet 'n nommer wees tussen 0 en {0}", + "settings.trade.maxTradePriceDeviation.help" to "Die max. handelsprys verskil wat 'n maker verdra wanneer hul aanbod aanvaar word.", + ), + "payment_method" to mapOf( + "F2F_SHORT" to "F2F (cara a cara)", + "LN" to "BTC a través de Lightning Network", + "WISE_USD" to "Wise-USD", + "DOMESTIC_WIRE_TRANSFER_SHORT" to "Draad", + "MAIN_CHAIN_SHORT" to "Onchain", + "IMPS" to "Indië/IMPS", + "PAYTM" to "Indië/PayTM", + "RTGS" to "Indië/RTGS", + "MONESE" to "Monese", + "CIPS_SHORT" to "CIPS", + "MONEY_GRAM" to "MoneyGram", + "WISE" to "Wyse", + "TIKKIE" to "Tikkie", + "UPI" to "Indië/UPI", + "BIZUM" to "Bizum", + "INTERAC_E_TRANSFER" to "Interac e-Transfer", + "LN_SHORT" to "Blits", + "ALI_PAY" to "AliPay", + "NATIONAL_BANK" to "Transferencia bancaria nacional", + "US_POSTAL_MONEY_ORDER" to "US Posgeldbestelling", + "JAPAN_BANK" to "Japan Furikomi", + "NATIVE_CHAIN" to "Cadena nativa", + "FASTER_PAYMENTS" to "Vinniger Betalings", + "ADVANCED_CASH" to "Gevorderde Kontant", + "F2F" to "Cara a cara (en persona)", + "SWIFT_SHORT" to "SWIFT", + "WECHAT_PAY" to "WeChat Pay", + "RBTC_SHORT" to "RSK", + "ACH_TRANSFER" to "ACH Transfer", + "CHASE_QUICK_PAY" to "Chase QuickPay", + "INTERNATIONAL_BANK_SHORT" to "Bancos internacionales", + "HAL_CASH" to "HalCash", + "WESTERN_UNION" to "Western Union", + "ZELLE" to "Zelle", + "JAPAN_BANK_SHORT" to "Japan Furikomi", + "RBTC" to "RBTC (BTC pegado en la cadena lateral RSK)", + "SWISH" to "Swish", + "SAME_BANK" to "Transferencia con el mismo banco", + "ACH_TRANSFER_SHORT" to "ACH", + "AMAZON_GIFT_CARD" to "Tarjeta eGift Amazon", + "PROMPT_PAY" to "PromptPay", + "LBTC" to "L-BTC (BTC pegado en la cadena lateral Liquid)", + "US_POSTAL_MONEY_ORDER_SHORT" to "US Money Order", + "VERSE" to "Verse", + "SWIFT" to "SWIFT Internasionale Wire Transfer", + "SPECIFIC_BANKS_SHORT" to "Bancos específicos", + "WESTERN_UNION_SHORT" to "Western Union", + "DOMESTIC_WIRE_TRANSFER" to "Binnelandse Oordrag", + "INTERNATIONAL_BANK" to "Transferencia bancaria internacional", + "UPHOLD" to "Uphold", + "CAPITUAL" to "Kapitaal", + "CASH_DEPOSIT" to "Depósito de efectivo", + "WBTC" to "WBTC (BTC envuelto como un token ERC20)", + "MONEY_GRAM_SHORT" to "MoneyGram", + "CASH_BY_MAIL" to "Efectivo por Correo", + "SAME_BANK_SHORT" to "Mismo banco", + "SPECIFIC_BANKS" to "Transferencias entre bancos específicos", + "PAXUM" to "Paxum", + "NATIVE_CHAIN_SHORT" to "Cadena nativa", + "WBTC_SHORT" to "WBTC", + "PERFECT_MONEY" to "Perfect Money", + "CELPAY" to "CelPay", + "STRIKE" to "Slaan", + "MAIN_CHAIN" to "Bitcoin (onchain)", + "SEPA_INSTANT" to "SEPA Instant", + "CASH_APP" to "Cash App", + "POPMONEY" to "Popmoney", + "REVOLUT" to "Revolut", + "NEFT" to "Indië/NEFT", + "SATISPAY" to "Satispay", + "PAYSERA" to "Paysera", + "LBTC_SHORT" to "Liquid", + "SEPA" to "SEPA", + "NEQUI" to "Nequi", + "NATIONAL_BANK_SHORT" to "Bancos nacionales", + "CASH_BY_MAIL_SHORT" to "Efectivo por Correo", + "OTHER" to "Otras", + "PAY_ID" to "PayID", + "CIPS" to "Grensoverschrijdende interbank betalingsstelsel", + "MONEY_BEAM" to "MoneyBeam (N26)", + "PIX" to "Pix", + "CASH_DEPOSIT_SHORT" to "Depósito de efectivo", + ), + "offer" to mapOf( + "offer.priceSpecFormatter.fixPrice" to "Offer with fixed price\n{0}", + "offer.priceSpecFormatter.floatPrice.below" to "{0} below market price\n{1}", + "offer.priceSpecFormatter.floatPrice.above" to "{0} above market price\n{1}", + "offer.priceSpecFormatter.marketPrice" to "At market price\n{0}", + ), + "mobile" to mapOf( + "bootstrap.connectedToTrustedNode" to "Connected to trusted node", + ), + ) +} diff --git a/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/GeneratedResourceBundles_cs.kt b/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/GeneratedResourceBundles_cs.kt new file mode 100644 index 00000000..aaaa0f1b --- /dev/null +++ b/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/GeneratedResourceBundles_cs.kt @@ -0,0 +1,1368 @@ +package network.bisq.mobile.i18n + +// Auto-generated file. Do not modify manually. +object GeneratedResourceBundles_cs { + val bundles = mapOf( + "default" to mapOf( + "action.exportAsCsv" to "Exportovat jako CSV", + "action.learnMore" to "Dozvědět se více", + "action.save" to "Uložit", + "component.marketPrice.provider.BISQAGGREGATE" to "Agregátor cen Bisq", + "offer.maker" to "Tvůrce", + "offer.buyer" to "Kupující", + "component.marketPrice.requesting" to "Požadování tržní ceny", + "component.standardTable.numEntries" to "Počet položek: {0}", + "offer.createOffer" to "Vytvořit nabídku", + "action.close" to "Zavřít", + "validation.tooLong" to "Text vstupu nesmí být delší než {0} znaků", + "component.standardTable.filter.tooltip" to "Filtrovat podle {0}", + "temporal.age" to "Stáří", + "data.noDataAvailable" to "Žádná dostupná data", + "action.goTo" to "Přejít na {0}", + "action.next" to "Další", + "offer.buying" to "kupující", + "offer.price.above" to "nad", + "offer.buy" to "koupit", + "offer.taker" to "Příjemce", + "validation.password.notMatching" to "Zadané 2 hesla se neshodují", + "action.delete" to "Smazat", + "component.marketPrice.tooltip.isStale" to "\nUPOZORNĚNÍ: Tržní cena je zastaralá!", + "action.shutDown" to "Vypnout", + "component.priceInput.description" to "{0} cena", + "component.marketPrice.source.PROPAGATED_IN_NETWORK" to "Propagováno uzlem oracle: {0}", + "validation.password.tooShort" to "Zadané heslo je příliš krátké. Musí obsahovat alespoň 8 znaků.", + "validation.invalidLightningInvoice" to "Lightning faktura se zdá být neplatná", + "action.back" to "Zpět", + "offer.selling" to "prodávající", + "action.editable" to "Editovatelný", + "offer.takeOffer.buy.button" to "Koupit Bitcoin", + "validation.invalidNumber" to "Vstup není platné číslo", + "action.search" to "Hledat", + "validation.invalid" to "Neplatný vstup", + "component.marketPrice.source.REQUESTED_FROM_PRICE_NODE" to "Požadováno od: {0}", + "validation.invalidBitcoinAddress" to "Bitcoinová adresa se zdá být neplatná", + "temporal.year.1" to "{0} rok", + "confirmation.no" to "Ne", + "validation.invalidLightningPreimage" to "Lightning preimage se zdá být neplatná", + "temporal.day.1" to "{0} den", + "component.standardTable.filter.showAll" to "Zobrazit vše", + "temporal.year.*" to "{0} let", + "data.add" to "Přidat", + "offer.takeOffer.sell.button" to "Prodat Bitcoin", + "component.marketPrice.source.PERSISTED" to "Uložená data", + "action.copyToClipboard" to "Kopírovat do schránky", + "confirmation.yes" to "Ano", + "offer.sell" to "prodat", + "action.react" to "Reagovat", + "temporal.day.*" to "{0} dní", + "temporal.at" to "v", + "component.standardTable.csv.plainValue" to "{0} (běžná hodnota)", + "offer.seller" to "Prodávající", + "temporal.date" to "Datum", + "action.iUnderstand" to "Chápu", + "component.priceInput.prompt" to "Zadejte cenu", + "confirmation.ok" to "OK", + "action.dontShowAgain" to "Už nezobrazovat", + "action.cancel" to "Zrušit", + "offer.amount" to "Množství", + "action.edit" to "Upravit", + "offer.deleteOffer" to "Smazat mou nabídku", + "data.remove" to "Odebrat", + "data.false" to "Nepravda", + "offer.price.below" to "pod", + "data.na" to "Nedostupné", + "action.expandOrCollapse" to "Klikněte pro sbalení nebo rozbalení", + "data.true" to "Pravda", + "validation.invalidBitcoinTransactionId" to "ID Bitcoin transakce se zdá být neplatné", + "component.marketPrice.tooltip" to "{0}\nAktualizováno: před {1}\nPřijato: {2}{3}", + "validation.empty" to "Není dovolen prázdný řetězec", + "validation.invalidPercentage" to "Vstup není platná procentuální hodnota", + ), + "application" to mapOf( + "onboarding.createProfile.nickName" to "Přezdívka profilu", + "notificationPanel.mediationCases.headline.single" to "Nová zpráva pro mediační případ s ID obchodu ''{0}''", + "popup.reportBug" to "Nahlásit chybu vývojářům Bisq", + "tac.reject" to "Odmítnout a ukončit aplikaci", + "dashboard.activeUsers.tooltip" to "Profily zůstávají publikovány v síti, pokud byl uživatel online v posledních 15 dnech.", + "popup.hyperlink.openInBrowser.tooltip" to "Otevřít odkaz v prohlížeči: {0}.", + "navigation.reputation" to "Reputace", + "navigation.settings" to "Nastavení", + "updater.downloadLater" to "Stáhnout později", + "splash.bootstrapState.SERVICE_PUBLISHED" to "{0} publikováno", + "updater.downloadAndVerify.info.isLauncherUpdate" to "Kada se sve datoteke preuzmu, ključ za potpisivanje se upoređuje s ključevima dostupnim u aplikaciji i na Bisq web stranici. Taj ključ se zatim koristi za verifikaciju preuzetog instalacionog programa za novu verziju Bisq-a. Nakon što preuzimanje i verifikacija budu završeni, idite u direktorijum za preuzimanje da biste instalirali novu verziju Bisq-a.", + "dashboard.offersOnline" to "Nabídky online", + "onboarding.password.button.savePassword" to "Uložit heslo", + "popup.headline.instruction" to "Prosím, všimněte si:", + "updater.shutDown.isLauncherUpdate" to "Otevřít adresář ke stažení a vypnout", + "updater.ignore" to "Ignorovat tuto verzi", + "navigation.dashboard" to "Dashboard", + "onboarding.createProfile.subTitle" to "Váš veřejný profil se skládá z přezdívky (vybrané vám) a ikony robota (generované kryptograficky)", + "onboarding.createProfile.headline" to "Vytvořte svůj profil", + "popup.headline.warning" to "Varování", + "popup.reportBug.report" to "Verze Bisq: {0}\nOperační systém: {1}\nChybová zpráva:\n{2}", + "splash.bootstrapState.network.I2P" to "I2P", + "unlock.failed" to "Nepodařilo se odemknout zadaným heslem.\n\nZkuste to znovu a ujistěte se, že nemáte zapnutý Caps Lock.", + "popup.shutdown" to "Probíhá vypínání.\n\nMůže trvat až {0} sekund, než se vypnutí dokončí.", + "splash.bootstrapState.service.TOR" to "Služba Onion", + "navigation.expandIcon.tooltip" to "Rozbalit menu", + "updater.downloadAndVerify.info" to "Kada se sve datoteke preuzmu, ključ za potpisivanje se upoređuje s ključevima dostupnim u aplikaciji i na Bisq web stranici. Taj ključ se zatim koristi za verifikaciju preuzete nove verzije ('desktop.jar').", + "popup.headline.attention" to "Pozor", + "onboarding.password.headline.setPassword" to "Nastavit ochranu heslem", + "unlock.button" to "Odemknout", + "splash.bootstrapState.START_PUBLISH_SERVICE" to "Zahájení publikování {0}", + "onboarding.bisq2.headline" to "Vítejte v Bisq 2", + "dashboard.marketPrice" to "Poslední tržní cena", + "popup.hyperlink.copy.tooltip" to "Zkopírovat odkaz: {0}.", + "navigation.bisqEasy" to "Bisq Easy", + "navigation.network.info.i2p" to "I2P", + "dashboard.third.button" to "Budovat reputaci", + "popup.headline.error" to "Chyba", + "video.mp4NotSupported.warning" to "Video si můžete prohlédnout ve vašem prohlížeči na: [HYPERLINK:{0}]", + "updater.downloadAndVerify.headline" to "Stáhnout a ověřit novou verzi", + "tac.headline" to "Uživatelská dohoda", + "splash.applicationServiceState.INITIALIZE_SERVICES" to "Inicializace služeb", + "onboarding.password.enterPassword" to "Zadejte heslo (min. 8 znaků)", + "splash.details.tooltip" to "Klikněte pro zobrazení podrobností", + "navigation.network" to "Síť", + "dashboard.main.content3" to "Zabezpečení je založeno na reputaci prodejce", + "dashboard.main.content2" to "Chatové a řízené uživatelské rozhraní pro obchodování", + "splash.applicationServiceState.INITIALIZE_WALLET" to "Inicializace peněženky", + "onboarding.password.subTitle" to "Nastavte ochranu heslem nyní nebo přeskočte a proveďte to později v 'Uživatelské možnosti/Heslo'.", + "dashboard.main.content1" to "Začněte obchodovat nebo procházejte otevřené nabídky v nabídkové knize", + "navigation.vertical.collapseIcon.tooltip" to "Sbalit podmenu", + "splash.bootstrapState.network.TOR" to "Tor", + "splash.bootstrapState.service.CLEAR" to "Server", + "splash.bootstrapState.CONNECTED_TO_PEERS" to "Připojování k peerům", + "splash.bootstrapState.service.I2P" to "Služba I2P", + "popup.reportError.zipLogs" to "Zkomprimovat soubory protokolu", + "updater.furtherInfo.isLauncherUpdate" to "Tato aktualizace vyžaduje novou instalaci Bisq.\nPokud máte problémy s instalací Bisq na macOS, přečtěte si prosím instrukce na:", + "navigation.support" to "Podpora", + "updater.table.progress.completed" to "Dokončeno", + "updater.headline" to "Je dostupná nová aktualizace Bisq", + "notificationPanel.trades.button" to "Přejít na 'Otevřené obchody'", + "popup.headline.feedback" to "Dokončeno", + "tac.confirm" to "Přečetl(a) jsem a rozumím", + "navigation.collapseIcon.tooltip" to "Sbalit menu", + "updater.shutDown" to "Vypnout", + "popup.headline.backgroundInfo" to "Pozadí informace", + "splash.applicationServiceState.FAILED" to "Chyba při spouštění", + "navigation.userOptions" to "Uživatelské možnosti", + "updater.releaseNotesHeadline" to "Poznámky k verzi {0}:", + "splash.bootstrapState.BOOTSTRAP_TO_NETWORK" to "Připojování k {0} síti", + "navigation.vertical.expandIcon.tooltip" to "Rozbalit podmenu", + "topPanel.wallet.balance" to "Zůstatek", + "navigation.network.info.tooltip" to "{0} síť\nPočet připojení: {1}\nCílová připojení: {2}", + "video.mp4NotSupported.warning.headline" to "Vložené video nelze přehrát", + "navigation.wallet" to "Peněženka", + "onboarding.createProfile.regenerate" to "Vygenerovat novou ikonu robota", + "splash.applicationServiceState.INITIALIZE_NETWORK" to "Inicializace P2P sítě", + "updater.table.progress" to "Průběh stahování", + "navigation.network.info.inventoryRequests.tooltip" to "Stanje zahtjeva za mrežne podatke:\nBroj čekajućih zahtjeva: {0}\nMaksimalni broj zahtjeva: {1}\nSvi podaci primljeni: {2}", + "onboarding.createProfile.createProfile.busy" to "Inicializace síťového uzlu...", + "dashboard.second.button" to "Prozkoumejte obchodní protokoly", + "dashboard.activeUsers" to "Aktivní uživatelské profily", + "hyperlinks.openInBrowser.attention.headline" to "Otevřít webový odkaz", + "dashboard.main.headline" to "Získejte své první BTC", + "popup.headline.invalid" to "Neplatný vstup", + "popup.reportError.gitHub" to "Nahlásit na GitHub sledovač problémů", + "navigation.network.info.inventoryRequest.requesting" to "Zahtijevanje mrežnih podataka", + "popup.headline.information" to "Informace", + "navigation.network.info.clearNet" to "Clear-net", + "dashboard.third.headline" to "Budujte reputaci", + "tac.accept" to "Přijmout uživatelskou dohodu", + "updater.furtherInfo" to "Aktualizace bude nahrána po restartu a nevyžaduje novou instalaci.\nDalší podrobnosti naleznete na stránce s vydáním:", + "onboarding.createProfile.nym" to "ID robota:", + "popup.shutdown.error" to "Při vypínání došlo k chybě: {0}.", + "navigation.authorizedRole" to "Oprávněná role", + "onboarding.password.confirmPassword" to "Potvrdit heslo", + "hyperlinks.openInBrowser.attention" to "Chcete otevřít odkaz na `{0}` ve vašem výchozím webovém prohlížeči?", + "onboarding.password.button.skip" to "Přeskočit", + "popup.reportError.log" to "Otevřít soubor protokolu", + "dashboard.main.button" to "Vstupte do Bisq Easy", + "updater.download" to "Stáhnout a ověřit", + "dashboard.third.content" to "Chcete prodávat Bitcoin na Bisq Easy? Zjistěte, jak funguje systém reputace a proč je důležitý.", + "hyperlinks.openInBrowser.no" to "Ne, zkopírujte odkaz", + "splash.applicationServiceState.APP_INITIALIZED" to "Bisq spuštěn", + "navigation.academy" to "Učení", + "navigation.network.info.inventoryRequest.completed" to "Primljeni mrežni podaci", + "onboarding.createProfile.nickName.prompt" to "Vyberte si svou přezdívku", + "popup.startup.error" to "Při inicializaci Bisq došlo k chybě: {0}.", + "version.versionAndCommitHash" to "Verze: v{0} / Commit hash: {1}", + "onboarding.bisq2.teaserHeadline1" to "Představujeme Bisq Easy", + "onboarding.bisq2.teaserHeadline3" to "Již brzy", + "onboarding.bisq2.teaserHeadline2" to "Učte se a objevujte", + "dashboard.second.headline" to "Více obchodních protokolů", + "splash.applicationServiceState.INITIALIZE_APP" to "Spouštění Bisq", + "unlock.headline" to "Zadejte heslo pro odemčení", + "onboarding.password.savePassword.success" to "Ochrana heslem povolena.", + "notificationPanel.mediationCases.button" to "Přejít na 'Mediátor'", + "onboarding.bisq2.line2" to "Získejte jemný úvod do světa Bitcoinu\nprostřednictvím našich průvodců a komunitního chatu.", + "onboarding.bisq2.line3" to "Vyberte si způsob obchodu: Bisq MuSig, Lightning, Submarine Swaps,...", + "splash.bootstrapState.network.CLEAR" to "Clearnet", + "updater.headline.isLauncherUpdate" to "Je dostupný nový instalační program Bisq", + "notificationPanel.mediationCases.headline.multiple" to "Nové zprávy pro mediace", + "onboarding.bisq2.line1" to "Získání vašeho prvního Bitcoinu soukromě\nnikdy nebylo snazší.", + "notificationPanel.trades.headline.single" to "Nová obchodní zpráva pro obchod ''{0}''", + "popup.headline.confirmation" to "Potvrzení", + "onboarding.createProfile.createProfile" to "Další", + "onboarding.createProfile.nym.generating" to "Vypočítávání práce...", + "hyperlinks.copiedToClipboard" to "Odkaz byl zkopírován do schránky", + "updater.table.verified" to "Podpis ověřen", + "navigation.tradeApps" to "Obchodní protokoly", + "navigation.chat" to "Chat", + "dashboard.second.content" to "Podívejte se na plánované obchodní protokoly. Získejte přehled o funkcích různých protokolů.", + "navigation.network.info.tor" to "Tor", + "updater.table.file" to "Soubor", + "onboarding.createProfile.nickName.tooLong" to "Přezdívka nesmí být delší než {0} znaků", + "popup.reportError" to "Abychom mohli vylepšit software, prosím nahlásit tuto chybu otevřením nového problému na https://github.com/bisq-network/bisq2/issues.\nVýše uvedená chybová zpráva bude zkopírována do schránky, když kliknete na libovolné tlačítko níže.\nLadění bude jednodušší, pokud připojíte soubor bisq.log stisknutím 'Otevřít soubor protokolu', uložíte kopii a připojíte ji k vašemu hlášení o chybě.", + "notificationPanel.trades.headline.multiple" to "Nové obchodní zprávy", + ), + "bisq_easy" to mapOf( + "bisqEasy.tradeState.info.seller.phase2b.tradeLogMessage" to "{0} potvrdil přijetí částky {1}", + "bisqEasy.tradeWizard.paymentMethods.warn.customPaymentMethodAlreadyExists" to "Vlastní platební metoda s názvem {0} již existuje.", + "bisqEasy.takeOffer.amount.seller.limitInfo.lowToleratedAmount" to "Protože je obchodní částka pod {0}, požadavky na Reputaci jsou uvolněny.", + "bisqEasy.onboarding.watchVideo.tooltip" to "Sledovat vložené úvodní video", + "bisqEasy.takeOffer.paymentMethods.headline.fiat" to "Jakou platební metodu chcete použít?", + "bisqEasy.walletGuide.receive" to "Příjem", + "bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMin.overlay.info" to "Skóre Reputace prodávajícího {0} neposkytuje dostatečnou bezpečnost pro tuto nabídku.\n\nDoporučuje se obchodovat s nižšími částkami při opakovaných obchodech nebo s prodávajícími, kteří mají vyšší reputaci. Pokud se rozhodnete pokračovat navzdory nedostatku reputace prodávajícího, ujistěte se, že jste si plně vědomi souvisejících rizik. Bezpečnostní model Bisq Easy se spoléhá na reputaci prodávajícího, protože kupující je povinen nejprve odeslat fiat měnu.", + "bisqEasy.offerbook.marketListCell.favourites.maxReached.popup" to "Je místo pouze pro 5 oblíbených položek. Odstraňte některou z oblíbených položek a zkuste to znovu.", + "bisqEasy.dashboard" to "Začínáme", + "bisqEasy.tradeWizard.amount.seller.limitInfo.noReputationNeededForMaxOrFixedAmount.overlay.info.scoreTooLow" to "Pro částky až {0} jsou požadavky na reputaci uvolněny.\n\nVaše Skóre Reputace {1} nenabízí dostatečnou bezpečnost pro kupující. Nicméně, vzhledem k nízké částce, by kupující mohli stále zvážit přijetí nabídky, jakmile budou informováni o souvisejících rizicích.\n\nInformace o tom, jak zvýšit svou reputaci, naleznete v ''Reputace/Vytvořit Reputaci''.", + "bisqEasy.price.feedback.sentence.veryGood" to "velmi dobrá", + "bisqEasy.walletGuide.createWallet" to "Nová peněženka", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.description" to "Stav připojení webkamery", + "bisqEasy.tradeWizard.review.sellerPaysMinerFeeLong" to "Poplatek za těžbu platí prodávající", + "bisqEasy.tradeState.info.buyer.phase2b.headline" to "Čekání na potvrzení přijetí platby prodejcem", + "bisqEasy.tradeWizard.paymentMethods.bitcoin.subTitle.seller" to "Výběr způsobů vypořádání pro odesílání bitcoinů", + "bisqEasy.tradeState.info.seller.phase3a.bitcoinPayment.description.LN" to "Lightning faktura", + "bisqEasy.tradeCompleted.body.copy.explorerLink.tooltip" to "Zkopírovat odkaz na transakci v prohlížeči bloků", + "bisqEasy.tradeWizard.amount.headline.seller" to "Kolik chcete obdržet?", + "bisqEasy.openTrades.table.direction.buyer" to "Nákup od:", + "bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.inSufficientScore" to "S Skóre Reputace {0} je bezpečnost, kterou poskytujete, nedostatečná pro obchody nad {1}.\n\nMůžete stále vytvářet takové nabídky, ale kupující budou varováni před potenciálními riziky při pokusu o přijetí vaší nabídky.\n\nInformace o tom, jak zvýšit svou reputaci, naleznete v ''Reputace/Vybudovat Reputaci''.", + "bisqEasy.tradeWizard.paymentMethods.customMethod.prompt" to "Vlastní platební metoda", + "bisqEasy.tradeState.info.phase4.leaveChannel" to "Zavřít obchod", + "bisqEasy.tradeWizard.directionAndMarket.headline" to "Chcete koupit nebo prodat Bitcoin s", + "bisqEasy.tradeWizard.review.chatMessage.price" to "Cena:", + "bisqEasy.tradeWizard.paymentMethods.bitcoin.subTitle.buyer" to "Výběr způsobů vypořádání pro příjem bitcoinů", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.headline.LN" to "Vyplňte svou Lightning fakturu", + "bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage" to "{0} zahájil Bitcoin platbu. {1}: ''{2}''", + "bisqEasy.openTrades.table.baseAmount" to "Částka v BTC", + "bisqEasy.openTrades.tradeLogMessage.cancelled" to "{0} zrušil obchod", + "bisqEasy.openTrades.inMediation.info" to "Mediátor se připojil k obchodnímu chatu. Prosím, použijte obchodní chat níže pro získání pomoci od mediátora.", + "bisqEasy.onboarding.right.button" to "Otevřít nabídkovou knihu", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.imageRecognized" to "Webkamera připojena", + "bisqEasy.tradeState.info.buyer.phase2a.sellersAccount" to "Platební účet prodejce", + "bisqEasy.tradeWizard.amount.numOffers.0" to "není žádná nabídka", + "bisqEasy.offerbook.markets.ExpandedList.Tooltip" to "Sbalit trhy", + "bisqEasy.openTrades.cancelTrade.warning.seller" to "Jelikož výměna údajů o účtu začala, zrušení obchodu bez souhlasu kupujícího {0}", + "bisqEasy.tradeCompleted.body.tradePrice" to "Cena obchodu", + "bisqEasy.tradeWizard.amount.numOffers.*" to "je {0} nabídek", + "bisqEasy.tradeWizard.review.chatMessage.peerMessageTitle.buy" to "Kupte Bitcoin od uživatele", + "bisqEasy.walletGuide.intro.content" to "V Bisq Easy jdou Bitcoiny, které obdržíte, přímo do vaší kapsy bez jakýchkoli zprostředkovatelů. To je skvělá výhoda, ale znamená to také, že potřebujete mít peněženku, kterou ovládáte sami, aby jste ji mohli přijmout!\n\nV tomto rychlém průvodci vám ukážeme v několika jednoduchých krocích, jak můžete vytvořit jednoduchou peněženku. S ní budete moci přijmout a uložit vaše nově zakoupené bitcoiny.\n\nPokud již máte zkušenosti s peněženkami na síti a máte jednu, můžete tento průvodce přeskočit a jednoduše použít svou peněženku.", + "bisqEasy.openTrades.rejected.peer" to "Váš obchodní partner odmítl obchod", + "bisqEasy.offerbook.offerList.table.columns.settlementMethod" to "Metoda vyrovnání", + "bisqEasy.topPane.closeFilter" to "Zavřít filtr", + "bisqEasy.tradeWizard.amount.numOffers.1" to "je jedna nabídka", + "bisqEasy.component.amount.baseSide.tooltip.btcAmount.selectedPrice" to "Toto je množství Bitcoinu při vámi zvolené ceně.", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.subHeadline" to "Pro vaše kritéria výběru nejsou k dispozici žádné nabídky.", + "bisqEasy.openTrades.chat.detach" to "Odpojit", + "bisqEasy.offerbook.offerList.table.columns.price.tooltip.marketPrice" to "Tržní cena: {0}", + "bisqEasy.openTrades.table.tradeId" to "ID obchodu", + "bisqEasy.tradeWizard.market.columns.name" to "Fiat měna", + "bisqEasy.offerbook.offerList.table.filters.offerDirection.sellTo" to "Prodat", + "bisqEasy.tradeWizard.directionAndMarket.feedback.tradeWithoutReputation" to "Pokračovat bez Reputace", + "bisqEasy.tradeWizard.paymentMethods.noneFound" to "Pro vybraný trh nejsou poskytovány žádné výchozí platební metody.\nProsím, přidejte níže v textovém poli vlastní platební metodu, kterou chcete použít.", + "bisqEasy.tradeWizard.amount.seller.wizard.limitInfo" to "S vaším skóre reputace {0} můžete obchodovat až", + "bisqEasy.price.feedback.sentence.veryLow" to "velmi nízká", + "bisqEasy.tradeWizard.review.noTradeFeesLong" to "V Bisq Easy nejsou žádné obchodní poplatky", + "bisqEasy.tradeGuide.process.headline" to "Jak funguje proces obchodování?", + "bisqEasy.mediator" to "Mediátor", + "bisqEasy.price.headline" to "Jaká je vaše obchodní cena?", + "bisqEasy.tradeWizard.paymentMethods.warn.noFiatPaymentMethodSelected" to "Vyberte si prosím alespoň jeden způsob fiat plateb.", + "bisqEasy.tradeWizard.paymentMethods.fiat.subTitle.seller" to "Vyberte způsoby platby, které chcete obdržet {0}", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.description.buyersPrice" to "Vaše nabízená cena za nákup Bitcoinu byla {0}.", + "bisqEasy.tradeState.info.buyer.phase2a.confirmFiatSent" to "Potvrdit platbu {0}", + "bisqEasy.component.amount.minRangeValue" to "Min {0}", + "bisqEasy.offerbook.chatMessage.deleteMessage.confirmation" to "Opravdu chcete tuto zprávu smazat?", + "bisqEasy.tradeCompleted.body.copy.txId.tooltip" to "Zkopírovat ID Transakce do schránky", + "bisqEasy.tradeWizard.amount.headline.buyer" to "Kolik chcete utratit?", + "bisqEasy.openTrades.closeTrade" to "Zavřít obchod", + "bisqEasy.openTrades.table.settlementMethod.tooltip" to "Metoda vyrovnání Bitcoin: {0}", + "bisqEasy.openTrades.csv.quoteAmount" to "Částka v {0}", + "bisqEasy.tradeWizard.review.createOfferSuccess.headline" to "Nabídka úspěšně publikována", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.all" to "Všechny", + "bisqEasy.tradeState.info.buyer.phase1a.tradeLogMessage.MAIN_CHAIN" to "{0} poslal Bitcoinovou adresu ''{1}''", + "bisqEasy.tradeWizard.directionAndMarket.feedback.subTitle1" to "Ještě jste si nevytvořili žádnou Reputaci. Pro prodejce Bitcoinu je budování reputace zásadní, protože kupující musí v procesu obchodu nejprve Odeslat fiat měnu, spoléhajíc na integritu prodejce.\n\nTento proces budování reputace je lépe přizpůsoben zkušeným uživatelům Bisq a podrobné informace o něm naleznete v sekci 'Reputace'.", + "bisqEasy.tradeWizard.directionAndMarket.feedback.subTitle2" to "I když je možné, aby prodávající obchodovali bez (nebo s nedostatečnou) Reputací pro relativně malé částky až do {0}, pravděpodobnost nalezení obchodního partnera se výrazně snižuje. Důvodem je, že kupující se obvykle vyhýbají obchodování s prodávajícími, kteří nemají Reputaci kvůli bezpečnostním rizikům.", + "bisqEasy.tradeWizard.review.detailsHeadline.maker" to "Podrobnosti nabídky", + "bisqEasy.walletGuide.download.headline" to "Stažení peněženky", + "bisqEasy.tradeWizard.selectOffer.headline.seller" to "Prodat Bitcoin za {0}", + "bisqEasy.offerbook.marketListCell.numOffers.one" to "{0} nabídka", + "bisqEasy.tradeWizard.amount.seller.wizard.limitInfo.overlay.info" to "Se Skóre Reputace {0} můžete obchodovat až do {1}.\n\nInformace o tom, jak zvýšit svou reputaci, naleznete v ''Reputace/Zvýšit Reputaci''.", + "bisqEasy.tradeState.info.seller.phase3b.balance.prompt" to "Čekání na data blockchainu...", + "bisqEasy.takeOffer.amount.buyer.limitInfo.minAmountCovered" to "Skóre Reputace prodávajícího {0} poskytuje bezpečnost až", + "bisqEasy.tradeGuide.welcome" to "Přehled", + "bisqEasy.offerbook.markets.CollapsedList.Tooltip" to "Rozbalit trhy", + "bisqEasy.tradeGuide.welcome.headline" to "Jak obchodovat na Bisq Easy", + "bisqEasy.takeOffer.amount.description" to "Nabídka umožňuje zvolit množství obchodu\nmezi {0} a {1}", + "bisqEasy.onboarding.right.headline" to "Pro zkušené obchodníky", + "bisqEasy.tradeState.info.buyer.phase3b.confirmButton.ln" to "Potvrdit přijetí", + "bisqEasy.walletGuide.download" to "Stáhnout", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.description.sellersPrice" to "Avšak prodejce vám nabízí jinou cenu: {0}.", + "bisqEasy.offerbook.offerList.table.filters.paymentMethods.customPayments" to "Vlastní platby", + "bisqEasy.offerbook.offerList.table.columns.paymentMethod" to "Platební metoda", + "bisqEasy.takeOffer.progress.method" to "Platební metoda", + "bisqEasy.tradeWizard.review.direction" to "{0} Bitcoin", + "bisqEasy.offerDetails.paymentMethods" to "Podporované platební metody", + "bisqEasy.openTrades.closeTrade.warning.interrupted" to "Před zavřením obchodu můžete zálohovat obchodní data jako soubor csv, pokud je to potřeba.\n\nJakmile je obchod zavřen, všechna data související s obchodem zmizí a již nemůžete komunikovat s obchodním partnerem v obchodním chatu.\n\nChcete nyní obchod zavřít?", + "bisqEasy.tradeState.reportToMediator" to "Nahlásit mediátorovi", + "bisqEasy.openTrades.table.price" to "Cena", + "bisqEasy.openTrades.chat.window.title" to "{0} - Chat s {1} / ID obchodu: {2}", + "bisqEasy.tradeCompleted.header.paymentMethod" to "Způsob platby", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.nameZA" to "Název Z-A", + "bisqEasy.tradeWizard.progress.review" to "Přehled", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.noReputationNeededForMaxOrFixedAmount" to "Prodejci bez Reputace mohou přijímat nabídky až do {0}.", + "bisqEasy.tradeWizard.review.createOfferSuccess.subTitle" to "Vaše nabídka je nyní uvedena v nabídce. Pokud ji uživatel Bisq přijme, najdete nový obchod v sekci 'Otevřené obchody'.\n\nUjistěte se, že pravidelně kontrolujete aplikaci Bisq pro nové zprávy od přijímače.", + "bisqEasy.openTrades.failed.popup" to "Obchod selhal kvůli chybě.\nChybová zpráva: {0}\n\nVýpis ze zásobníku: {1}", + "bisqEasy.tradeWizard.paymentMethods.fiat.subTitle.buyer" to "Zvolte způsoby platby pro převod {0}", + "bisqEasy.tradeWizard.market.subTitle" to "Vyberte měnu pro obchod", + "bisqEasy.tradeWizard.review.sellerPaysMinerFee" to "Prodávající platí poplatek za těžbu", + "bisqEasy.openTrades.chat.peerLeft.subHeadline" to "Pokud obchod není na vaší straně dokončen a potřebujete pomoc, kontaktujte mediátora nebo navštivte podpůrný chat.", + "bisqEasy.tradeState.info.seller.phase3a.qrCodeDisplay.openWindow" to "Otevřít větší zobrazení", + "bisqEasy.offerDetails.price" to "Cena nabídky v {0}", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.withOffers" to "S nabídkami", + "bisqEasy.onboarding.left.button" to "Začít průvodce obchodem", + "bisqEasy.takeOffer.review.takeOffer" to "Potvrdit přijetí nabídky", + "bisqEasy.tradeWizard.amount.limitInfo.overlay.close" to "Zavřít překryv", + "bisqEasy.tradeCompleted.title" to "Obchod byl úspěšně dokončen", + "bisqEasy.tradeState.info.buyer.phase3b.headline.MAIN_CHAIN" to "Prodejce zahájil Bitcoin platbu", + "bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.sufficientScore" to "Se Skóre Reputace {0} poskytujete bezpečnost pro obchody až do {1}.", + "bisqEasy.tradeGuide.rules" to "Pravidla obchodu", + "bisqEasy.tradeState.info.phase3b.txId.tooltip" to "Otevřít transakci v prohlížeči bloků", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.prompt.LN" to "Vyplňte svou Lightning fakturu", + "bisqEasy.openTrades.cancelTrade.warning.part2" to "souhlas může být považován za porušení obchodních pravidel a může vést k zákazu vašeho profilu v síti.\n\nPokud protějšek neodpovídá déle než 24 hodin a žádná platba nebyla provedena, můžete obchod odmítnout bez následků. Odpovědnost ponese neodpovídající strana.\n\nPokud máte jakékoli dotazy nebo narazíte na problémy, neváhejte kontaktovat svého obchodního protějška nebo vyhledat pomoc v sekci 'Podpora'.\n\nPokud se domníváte, že váš obchodní protějšek porušil obchodní pravidla, máte možnost iniciovat žádost o zprostředkování. Mediátor se připojí do chatu obchodu a bude pracovat na nalezení spolupracujícího řešení.\n\nOpravdu chcete zrušit obchod?", + "bisqEasy.tradeState.header.pay" to "Částka k zaplacení", + "bisqEasy.tradeState.header.direction" to "Chci", + "bisqEasy.tradeState.info.buyer.phase1b.info" to "Můžete použít chat níže pro komunikaci s prodejcem.", + "bisqEasy.openTrades.welcome.line1" to "Seznamte se s bezpečnostním modelem Bisq Easy", + "bisqEasy.tradeState.info.buyer.phase3b.tradeLogMessage.ln" to "{0} potvrdil(a), že obdržel(a) platbu Bitcoinem", + "bisqEasy.tradeWizard.amount.description.minAmount" to "Nastavte minimální hodnotu pro rozsah částky", + "bisqEasy.onboarding.openTradeGuide" to "Přečtěte si průvodce obchodováním", + "bisqEasy.openTrades.welcome.line2" to "Podívejte se, jak funguje proces obchodování", + "bisqEasy.price.warn.invalidPrice.outOfRange" to "Cena, kterou jste zadali, je mimo povolený rozsah od -10% do 50%.", + "bisqEasy.openTrades.welcome.line3" to "Seznamte se s pravidly obchodu", + "bisqEasy.tradeState.bitcoinPaymentData.LN" to "Faktura Lightning", + "bisqEasy.tradeState.info.seller.phase1.note" to "Poznámka: Pro komunikaci s kupujícím před zveřejněním údajů o účtu můžete použít chat níže.", + "bisqEasy.tradeWizard.directionAndMarket.buy" to "Koupit Bitcoin", + "bisqEasy.openTrades.confirmCloseTrade" to "Potvrdit uzavření obchodu", + "bisqEasy.tradeWizard.amount.removeMinAmountOption" to "Použít fixní hodnotu částky", + "bisqEasy.offerDetails.id" to "ID nabídky", + "bisqEasy.tradeWizard.progress.price" to "Cena", + "bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo.overlay.info" to "Vzhledem k nízké obchodní částce {0} jsou požadavky na reputaci uvolněny.\nPro částky až do {1} mohou nabídku přijmout prodejci s nedostatečnou nebo žádnou reputací.\n\nProdejci, kteří chtějí přijmout vaši nabídku s maximální částkou {2}, musí mít skóre reputace alespoň {3}.\nSnížením maximální obchodní částky zpřístupňujete svou nabídku většímu počtu prodejců.", + "bisqEasy.tradeState.info.buyer.phase1a.send" to "Odeslat prodejci", + "bisqEasy.takeOffer.review.noTradeFeesLong" to "V Bisq Easy nejsou žádné obchodní poplatky", + "bisqEasy.onboarding.watchVideo" to "Sledovat video", + "bisqEasy.walletGuide.receive.content" to "Pro příjem vašich Bitcoinů potřebujete adresu z vaší peněženky. Pro získání adresy klikněte na vaši nově vytvořenou peněženku a poté klikněte na tlačítko 'Přijmout' v dolní části obrazovky.\n\nBluewallet zobrazí nepoužitou adresu, jak ve formě QR kódu, tak jako text. Tuto adresu budete potřebovat poskytnout vašemu protějšku v Bisq Easy, aby vám mohl poslat Bitcoiny, které kupujete. Adresu můžete přenést do počítače naskenováním QR kódu kamerou, odesláním adresy e-mailem nebo chatovou zprávou, nebo ji dokonce jednoduše napsat.\n\nJakmile dokončíte obchod, Bluewallet si všimne příchozích Bitcoinů a aktualizuje váš zůstatek o nové prostředky. Při každém novém obchodu získejte novou adresu, aby jste chránili své soukromí.\n\nTo jsou základy, které potřebujete znát, abyste mohli začít přijímat Bitcoiny ve vaší vlastní peněžence. Pokud se chcete dozvědět více o Bluewallet, doporučujeme si prohlédnout níže uvedená videa.", + "bisqEasy.takeOffer.progress.review" to "Přehled obchodu", + "bisqEasy.tradeCompleted.header.myDirection.buyer" to "Koupil(a) jsem", + "bisqEasy.tradeState.info.seller.phase3a.qrCodeDisplay.window.title" to "Naskenovat QR kód pro obchod ''{0}''", + "bisqEasy.tradeWizard.amount.seller.limitInfo.scoreTooLow" to "S vaším skóre reputace {0} by neměla částka obchodu překročit", + "bisqEasy.openTrades.table.paymentMethod.tooltip" to "Platební metoda Fiat: {0}", + "bisqEasy.tradeCompleted.header.myOutcome.buyer" to "Zaplatil jsem", + "bisqEasy.openTrades.chat.peer.description" to "Chatovací partner", + "bisqEasy.takeOffer.progress.amount" to "Množství obchodu", + "bisqEasy.price.warn.invalidPrice.numberFormatException" to "Zadaná cena není platné číslo.", + "bisqEasy.mediation.request.confirm.msg" to "Pokud máte problémy, které nemůžete vyřešit se svým obchodním partnerem, můžete požádat o pomoc mediátora.\n\nProsím, nežádejte o mediaci pro obecné otázky. V sekci podpory jsou chatovací místnosti, kde můžete získat obecné rady a pomoc.", + "bisqEasy.tradeGuide.rules.headline" to "Co potřebuji vědět o pravidlech obchodu?", + "bisqEasy.tradeState.info.buyer.phase3b.balance.prompt" to "Čekání na data blockchainu...", + "bisqEasy.offerbook.markets" to "Trhy", + "bisqEasy.privateChats.leave" to "Opustit chat", + "bisqEasy.tradeWizard.review.priceDetails" to "Plovoucí s tržní cenou", + "bisqEasy.openTrades.table.headline" to "Moje otevřené obchody", + "bisqEasy.takeOffer.review.method.bitcoin" to "Metoda platby Bitcoin", + "bisqEasy.tradeWizard.amount.description.fixAmount" to "Nastavte částku, kterou chcete obchodovat", + "bisqEasy.offerDetails.buy" to "Nabídka na koupi Bitcoinu", + "bisqEasy.openTrades.chat.detach.tooltip" to "Otevřít chat v novém okně", + "bisqEasy.tradeState.info.buyer.phase3a.headline" to "Čekání na Bitcoin platbu pro", + "bisqEasy.openTrades" to "Moje otevřené obchody", + "bisqEasy.tradeState.info.buyer.phase3b.info.MAIN_CHAIN" to "Jakmile je Bitcoin transakce viditelná v Bitcoin síti, uvidíte platbu. Po 1 potvrzení v blockchainu lze platbu považovat za dokončenou.", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.browseOfferbook.info" to "Zavřít průvodce obchodem a procházet nabídkovou knihu", + "bisqEasy.tradeGuide.rules.confirm" to "Přečetl(a) jsem a rozumím", + "bisqEasy.walletGuide.intro" to "Úvod", + "bisqEasy.tradeState.info.phase3b.balance.help.notConfirmed" to "Transakce viděna v mempoolu, ale ještě nepotvrzena", + "bisqEasy.mediation.request.feedback.noMediatorAvailable" to "Žádný mediátor není k dispozici. Prosím, místo toho použijte podpůrný chat.", + "bisqEasy.price.feedback.learnWhySection.description.intro" to "Razlog za to je što prodavatelj mora pokriti dodatne troškove i nadoknaditi uslugu prodavatelja, konkretno:", + "bisqEasy.offerbook.marketListCell.favourites.tooltip.addToFavourites" to "Přidat do oblíbených", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.tooltip" to "Třídit a filtrovat trhy", + "bisqEasy.openTrades.rejectTrade" to "Odmítnout obchod", + "bisqEasy.openTrades.table.direction.seller" to "Prodej komu:", + "bisqEasy.offerDetails.sell" to "Nabídka na prodej Bitcoinu", + "bisqEasy.tradeWizard.amount.seller.limitInfo.sufficientScore" to "Vaše Skóre Reputace {0} zajišťuje bezpečnost pro nabídky až do", + "bisqEasy.tradeState.info.phase3b.balance.invalid.multipleOutputsForAddress" to "Nalezeno více odpovídajících výstupů v transakci", + "bisqEasy.onboarding.top.headline" to "Bisq Easy za 3 minuty", + "bisqEasy.tradeWizard.amount.buyer.numSellers.1" to "je jeden prodejce", + "bisqEasy.tradeGuide.tabs.headline" to "Průvodce obchodováním", + "bisqEasy.tradeWizard.amount.seller.limitInfo.inSufficientScore" to "Zabezpečení poskytnuté vaším Skóre Reputace {0} je nedostatečné pro nabídky nad", + "bisqEasy.openTrades.exportTrade" to "Exportovat obchodní data", + "bisqEasy.tradeWizard.review.table.reputation" to "Reputace", + "bisqEasy.tradeWizard.amount.buyer.numSellers.0" to "není žádný prodejce", + "bisqEasy.tradeWizard.progress.directionAndMarket" to "Typ nabídky", + "bisqEasy.offerDetails.direction" to "Typ nabídky", + "bisqEasy.tradeWizard.amount.buyer.numSellers.*" to "jsou {0} prodejci", + "bisqEasy.offerDetails.date" to "Datum vytvoření", + "bisqEasy.offerbook.offerList.table.filters.paymentMethods.title.all" to "Všechny", + "bisqEasy.takeOffer.noMediatorAvailable.warning" to "Nejsou k dispozici žádní mediátoři. Místo toho musíte použít podpůrný chat.", + "bisqEasy.offerbook.offerList.table.columns.price" to "Cena", + "bisqEasy.offerbook.offerList.table.filters.offerDirection.buyFrom" to "Koupit od", + "bisqEasy.component.amount.baseSide.tooltip.buyer.btcAmount" to "Toto je množství Bitcoinu, které obdržíte.", + "bisqEasy.takeOffer.bitcoinPaymentData.warning.LN" to "Lightning faktura, kterou jste zadali, se zdá být neplatná.\n\nPokud si jste jisti, že faktura je platná, můžete tuto výstrahu ignorovat a pokračovat.", + "bisqEasy.tradeWizard.review.takeOfferSuccessButton" to "Zobrazit obchod v 'Otevřené obchody'", + "bisqEasy.tradeGuide.process.steps" to "1. Prodávající a kupující si vymění údaje o účtech. Prodávající pošle své platební údaje (např. číslo bankovního účtu) kupujícímu a kupující pošle svou Bitcoinovou adresu (nebo Lightning fakturu) prodávajícímu.\n2. Následně kupující zahájí platbu v fiat měně na účet prodávajícího. Po přijetí platby prodávající potvrdí přijetí.\n3. Prodávající pak odešle Bitcoin na adresu kupujícího a sdílí ID transakce (nebo volitelně přední obrazec, pokud se používá Lightning). Uživatelské rozhraní zobrazí stav potvrzení. Po potvrzení je obchod úspěšně dokončen.", + "bisqEasy.openTrades.rejectTrade.warning" to "Jelikož výměna údajů o účtu ještě nezačala, zamítnutí obchodu neznamená porušení obchodních pravidel.\n\nPokud máte jakékoli dotazy nebo narazíte na problémy, neváhejte kontaktovat svého obchodního protějška nebo vyhledat pomoc v sekci 'Podpora'.\n\nOpravdu chcete zamítnout obchod?", + "bisqEasy.tradeWizard.price.subtitle" to "Toto lze definovat jako procentuální cenu, která se mění s tržní cenou, nebo jako pevnou cenu.", + "bisqEasy.openTrades.tradeLogMessage.rejected" to "{0} zamítl obchod", + "bisqEasy.tradeState.header.tradeId" to "ID obchodu", + "bisqEasy.topPane.filter" to "Filtr nabídkové knihy", + "bisqEasy.tradeWizard.review.priceDetails.fix" to "Pevná cena. {0} {1} tržní cena {2}", + "bisqEasy.tradeWizard.amount.description.maxAmount" to "Nastavte maximální hodnotu pro rozsah částky", + "bisqEasy.tradeState.info.buyer.phase2b.info" to "Jakmile prodejce obdrží vaši platbu ve výši {0}, začne odesílat Bitcoin na vaši zadanou {1}.", + "bisqEasy.tradeState.info.seller.phase3a.sendBtc" to "Odeslat {0} kupujícímu", + "bisqEasy.onboarding.left.headline" to "Nejlepší pro začátečníky", + "bisqEasy.takeOffer.paymentMethods.headline.bitcoin" to "Jaký způsob vypořádání chcete použít?", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.mostOffers" to "Nejvíce nabídek", + "bisqEasy.tradeState.header.send" to "Částka k odeslání", + "bisqEasy.tradeWizard.review.noTradeFees" to "V Bisq Easy žádné obchodní poplatky", + "bisqEasy.tradeWizard.directionAndMarket.sell" to "Prodat Bitcoin", + "bisqEasy.tradeState.info.phase3b.balance.help.confirmed" to "Transakce je potvrzena", + "bisqEasy.tradeWizard.directionAndMarket.feedback.backToBuy" to "Zpět", + "bisqEasy.tradeWizard.review.price" to "{0} <{1} style=trade-wizard-review-code>", + "bisqEasy.openTrades.table.makerTakerRole.maker" to "Vytvářející", + "bisqEasy.tradeWizard.review.priceDetails.fix.atMarket" to "Pevná cena. Stejná jako tržní cena {0}", + "bisqEasy.tradeCompleted.tableTitle" to "Shrnutí", + "bisqEasy.tradeWizard.market.headline.seller" to "V jaké měně chcete být placeni?", + "bisqEasy.tradeCompleted.body.date" to "Datum", + "bisqEasy.tradeWizard.review.paymentMethodDescriptions.btc.taker" to "Vyberte metodu platby pro Bitcoin", + "bisqEasy.tradeState.info.seller.phase3b.confirmButton.ln" to "Ukončit obchod", + "bisqEasy.tradeState.info.seller.phase2b.headline" to "Zkontrolujte, zda jste obdrželi {0}", + "bisqEasy.price.feedback.learnWhySection.description.exposition" to "- Vytvoření reputace, což může být nákladné.- Prodávající musí platit za transakční poplatky těžařům.- Prodávající je užitečný průvodce v obchodním procesu a investuje tedy více času.", + "bisqEasy.takeOffer.amount.buyer.limitInfoAmount" to "{0}.", + "bisqEasy.tradeState.info.buyer.phase2a.headline" to "Odešlete {0} na platební účet prodejce", + "bisqEasy.price.feedback.learnWhySection.title" to "Proč bych měl/a platit prodávajícímu vyšší cenu?", + "bisqEasy.offerbook.offerList.table.columns.price.tooltip.floatPrice" to "Procentuální cena {0}\nS aktuální tržní cenou: {1}", + "bisqEasy.takeOffer.review.price.price" to "Cena obchodu", + "bisqEasy.tradeState.paymentProof.LN" to "Preimage", + "bisqEasy.openTrades.table.settlementMethod" to "Vyrovnání", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.description.question" to "Chcete přijmout tuto novou cenu, nebo chcete obchod odmítnout/zrušit*?", + "bisqEasy.takeOffer.tradeLogMessage" to "{0} poslal zprávu o přijetí nabídky od {1}", + "bisqEasy.openTrades.cancelled.self" to "Zrušili jste obchod", + "bisqEasy.component.amount.baseSide.tooltip.btcAmount.marketPrice" to "Toto je množství Bitcoinu při aktuální tržní ceně.", + "bisqEasy.tradeGuide.security" to "Bezpečnost", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.description.disclaimer" to "(*Poznámka: V tomto konkrétním případě rušení obchodu NEBUDE považováno za porušení obchodních pravidel.)", + "bisqEasy.tradeState.info.buyer.phase3b.headline.ln" to "Prodejce poslal Bitcoin přes Lightning síť", + "bisqEasy.mediation.request.feedback.headline" to "Mediace požadována", + "bisqEasy.tradeState.requestMediation" to "Požádat o mediaci", + "bisqEasy.price.warn.invalidPrice.exception" to "Zadaná cena je neplatná.\n\nChybová zpráva: {0}", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.goBack.info" to "Vraťte se na předchozí obrazovky a změňte výběr", + "bisqEasy.offerbook.marketListCell.numOffers.tooltip.one" to "V trhu {1} je dostupná {0} nabídka", + "bisqEasy.tradeGuide.process.content" to "Když se rozhodnete přijmout nabídku, budete mít možnost vybrat si z dostupných možností poskytovaných nabídkou. Před zahájením obchodu vám bude poskytnut souhrnný přehled k vašemu přezkoumání.\nJakmile je obchod zahájen, uživatelské rozhraní vás provede procesem obchodu, který se skládá z následujících kroků:", + "bisqEasy.openTrades.csv.txIdOrPreimage" to "ID transakce/Preimage", + "bisqEasy.tradeState.info.buyer.phase1a.walletHelpButton" to "Otevřít průvodce peněženkou", + "bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo" to "Pro maximální částku {0} {1} s dostatečnou Reputací, aby přijali vaši nabídku.", + "bisqEasy.tradeWizard.review.chatMessage.floatPrice.above" to "{0} nad tržní cenou", + "bisqEasy.tradeWizard.selectOffer.headline.buyer" to "Koupit Bitcoin za {0}", + "bisqEasy.tradeWizard.review.chatMessage.fixPrice" to "{0}", + "bisqEasy.tradeState.info.phase3b.button.next" to "Další", + "bisqEasy.tradeWizard.review.toReceive" to "Částka k přijetí", + "bisqEasy.tradeState.info.seller.phase1.tradeLogMessage" to "{0} zaslal údaje o platebním účtu:\n{1}", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.noReputationNeededForMaxOrFixedAmount.info" to "Vzhledem k nízké částce {0} jsou požadavky na Reputaci uvolněny.\nPro částky až {1} mohou nabídku přijmout prodejci s nedostatečnou nebo žádnou Reputací.\n\nUjistěte se, že plně rozumíte rizikům při obchodování s prodejcem bez nebo s nedostatečnou Reputací. Pokud se nechcete vystavovat tomuto riziku, zvolte částku nad {2}.", + "bisqEasy.tradeCompleted.body.tradeFee" to "Obchodní poplatek", + "bisqEasy.tradeWizard.review.nextButton.takeOffer" to "Potvrdit obchod", + "bisqEasy.openTrades.chat.peerLeft.headline" to "{0} opustil obchod", + "bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.headline" to "Odesílání zprávy o přijetí nabídky", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.headline.MAIN_CHAIN" to "Vyplňte svou Bitcoin adresu", + "bisqEasy.offerbook.marketListCell.numOffers.tooltip.many" to "V trhu {1} je dostupných {0} nabídek", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.prompt.LN" to "Vyplňte preimage, pokud je k dispozici", + "bisqEasy.mediation.requester.tradeLogMessage" to "{0} požádal o zprostředkování", + "bisqEasy.tradeWizard.review.table.baseAmount.buyer" to "Obdržíte", + "bisqEasy.tradeWizard.review.table.price" to "Cena v {0}", + "bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.paymentProof.MAIN_CHAIN" to "ID transakce", + "bisqEasy.component.amount.baseSide.tooltip.bestOfferPrice" to "Toto je množství Bitcoinu při nejlepší ceně z odpovídajících nabídek: {0}.", + "bisqEasy.tradeWizard.review.headline.maker" to "Přehled nabídky", + "bisqEasy.openTrades.reportToMediator" to "Nahlásit mediátorovi", + "bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.info" to "Nepřerušujte okno ani aplikaci, dokud neobdržíte potvrzení, že požadavek na přijetí nabídky byl úspěšně odeslán.", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.sortTitle" to "Třídit podle:", + "bisqEasy.tradeWizard.review.priceDescription.taker" to "Cena obchodu", + "bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.subTitle" to "Odesílání zprávy o přijetí nabídky může trvat až 2 minuty", + "bisqEasy.walletGuide.receive.headline" to "Příjem bitcoinů ve vaší peněžence", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.headline" to "Nebyly nalezeny odpovídající nabídky", + "bisqEasy.walletGuide.tabs.headline" to "Průvodce peněženkou", + "bisqEasy.offerbook.offerList.table.columns.fiatAmount" to "Částka {0}", + "bisqEasy.takeOffer.makerBanned.warning" to "Vytvářející této nabídky je zakázán. Prosím, zkuste použít jinou nabídku.", + "bisqEasy.price.feedback.learnWhySection.closeButton" to "Zpět k ceně transakce", + "bisqEasy.tradeWizard.review.feeDescription" to "Poplatky", + "bisqEasy.takeOffer.amount.buyer.limitInfo.minAmountCovered.overlay.info" to "Reputace prodávajícího {0} poskytuje zabezpečení až do {1}.\n\nPokud zvolíte vyšší částku, ujistěte se, že jste si plně vědomi souvisejících rizik. Bezpečnostní model Bisq Easy se spoléhá na reputaci prodávajícího, protože kupující musí nejprve odeslat fiat měnu.", + "bisqEasy.tradeWizard.review.paymentMethodDescriptions.btc.maker" to "Metody platby Bitcoin", + "bisqEasy.tradeWizard.review.headline.taker" to "Přehled obchodu", + "bisqEasy.takeOffer.review.takeOfferSuccess.headline" to "Úspěšně jste přijali nabídku", + "bisqEasy.openTrades.failedAtPeer.popup" to "Obchod protistrany selhal kvůli chybě.\nChyba způsobena: {0}\n\nVýpis ze zásobníku: {1}", + "bisqEasy.tradeCompleted.header.myDirection.seller" to "Prodal jsem", + "bisqEasy.tradeState.info.buyer.phase1b.headline" to "Čekání na údaje o platebním účtu prodejce", + "bisqEasy.price.feedback.sentence.some" to "několik", + "bisqEasy.component.amount.baseSide.tooltip.seller.btcAmount" to "Toto je množství Bitcoinu, které utratíte.", + "bisqEasy.offerDetails.headline" to "Podrobnosti nabídky", + "bisqEasy.openTrades.cancelTrade" to "Zrušit obchod", + "bisqEasy.tradeState.info.phase3b.button.next.noOutputForAddress" to "Žádný výstup odpovídající adrese ''{0}'' v transakci ''{1}'' nebyl nalezen.\n\nByli jste schopni vyřešit tento problém se svým obchodním protějškem?\nPokud ne, můžete zvážit žádost o zprostředkování, abyste pomohli vyřešit tuto záležitost.", + "bisqEasy.price.tradePrice.title" to "Fixní cena", + "bisqEasy.openTrades.table.mediator" to "Zmocněnec", + "bisqEasy.offerDetails.makersTradeTerms" to "Obchodní podmínky tvůrce", + "bisqEasy.openTrades.chat.attach.tooltip" to "Připojit chat zpět do hlavního okna", + "bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMax" to "Skóre Reputace prodávajícího je pouze {0}. Není doporučeno obchodovat více než", + "bisqEasy.privateChats.table.myUser" to "Můj profil", + "bisqEasy.tradeState.info.phase4.exportTrade" to "Exportovat data obchodu", + "bisqEasy.takeOffer.amount.buyer.limitInfo.minAmountNotCovered" to "Reputace prodávajícího {0} neposkytuje dostatečnou bezpečnost pro tuto nabídku.", + "bisqEasy.tradeWizard.selectOffer.subHeadline" to "Doporučuje se obchodovat s uživateli s vysokou reputací.", + "bisqEasy.topPane.filter.offersOnly" to "Zobrazit pouze nabídky v nabídce Bisq Easy", + "bisqEasy.tradeWizard.review.nextButton.createOffer" to "Vytvořit nabídku", + "bisqEasy.offerbook.offerList.table.filters.paymentMethods.clearFilters" to "Vymazat filtry", + "bisqEasy.openTrades.noTrades" to "Nemáte žádné otevřené obchody", + "bisqEasy.tradeState.info.seller.phase2b.info" to "Navštivte svou bankovní účet nebo aplikaci poskytovatele platby, abyste potvrdili přijetí platby od kupujícího.", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.prompt.MAIN_CHAIN" to "Vyplňte svou Bitcoin adresu", + "bisqEasy.tradeWizard.amount.seller.limitInfoAmount" to "{0}.", + "bisqEasy.openTrades.welcome.headline" to "Vítejte u vašeho prvního obchodu na Bisq Easy!", + "bisqEasy.takeOffer.amount.description.limitedByTakersReputation" to "Vaše Skóre Reputace {0} vám umožňuje vybrat si částku obchodu\nmezi {1} a {2}", + "bisqEasy.tradeState.info.seller.phase1.buttonText" to "Odeslat údaje o účtu", + "bisqEasy.tradeState.info.phase3b.txId.failed" to "Vyhledání transakce v ''{0}'' se nezdařilo s {1}: ''{2}''", + "bisqEasy.component.amount.baseSide.tooltip.taker.offerPrice" to "s nabídkovou cenou: {0}.", + "bisqEasy.takeOffer.review.takeOfferSuccessButton" to "Zobrazit obchod v 'Otevřené obchody'", + "bisqEasy.walletGuide.createWallet.headline" to "Vytvoření vaší nové peněženky", + "bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.noProofProvided" to "{0} zahájil Bitcoin platbu.", + "bisqEasy.walletGuide.intro.headline" to "Připravte se na příjem vašeho prvního Bitcoinu", + "bisqEasy.openTrades.rejected.self" to "Odmítli jste obchod", + "bisqEasy.takeOffer.amount.headline.buyer" to "Kolik chcete utratit?", + "bisqEasy.tradeState.header.receive" to "Částka k přijetí", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.title" to "Pozor na změnu ceny!", + "bisqEasy.offerDetails.priceValue" to "{0} (přirážka: {1})", + "bisqEasy.tradeWizard.review.chatMessage.floatPrice.below" to "{0} pod tržní cenou", + "bisqEasy.tradeState.info.seller.phase1.headline" to "Pošlete údaje o svém platebním účtu kupujícímu", + "bisqEasy.tradeWizard.market.columns.numPeers" to "Online uživatelé", + "bisqEasy.tradeState.info.phase3b.button.next.amountNotMatching.resolved" to "Vyřešil(a) jsem to", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.favourites" to "Pouze oblíbené", + "bisqEasy.openTrades.table.me" to "Já", + "bisqEasy.tradeCompleted.header.tradeId" to "ID obchodu", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.description.MAIN_CHAIN" to "Bitcoin adresa", + "bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.linkToWikiText" to "Pro více informací o systému Reputace navštivte Bisq Wiki na:", + "bisqEasy.openTrades.table.tradePeer" to "Partner", + "bisqEasy.price.feedback.learnWhySection.openButton" to "Proč?", + "bisqEasy.mediation.request.confirm.headline" to "Požádat o mediaci", + "bisqEasy.tradeWizard.review.paymentMethodDescription.btc" to "Platební metoda Bitcoin", + "bisqEasy.tradeWizard.paymentMethods.warn.tooLong" to "Název vlastní platební metody nesmí být delší než 20 znaků.", + "bisqEasy.walletGuide.download.link" to "Klikněte zde pro návštěvu stránky Bluewallet", + "bisqEasy.onboarding.right.info" to "Prohlížejte nabídkovou knihu pro nejlepší nabídky nebo vytvořte svou vlastní nabídku.", + "bisqEasy.component.amount.maxRangeValue" to "Max {0}", + "bisqEasy.tradeState.info.phase3b.balance.invalid.noOutputsForAddress" to "Nebyly nalezeny odpovídající výstupy v transakci", + "bisqEasy.tradeWizard.review.priceDescription.maker" to "Cena nabídky", + "bisqEasy.takeOffer.paymentMethods.subtitle.fiat.buyer" to "Zvolte způsob platby pro převod {0}", + "bisqEasy.tradeGuide.security.headline" to "Jak je bezpečné obchodovat na Bisq Easy?", + "bisqEasy.takeOffer.amount.buyer.limitInfo.overlay.linkToWikiText" to "Chcete-li se dozvědět více o systému Reputace, navštivte:", + "bisqEasy.walletGuide.receive.link2" to "Tutoriál Bluewallet od BTC Sessions", + "bisqEasy.walletGuide.receive.link1" to "Tutoriál Peněženky Bluewallet od Anity Posch", + "bisqEasy.tradeWizard.progress.amount" to "Množství", + "bisqEasy.offerbook.chatMessage.deleteOffer.confirmation" to "Opravdu chcete tuto nabídku smazat?", + "bisqEasy.tradeWizard.review.priceDetails.float" to "Plovoucí cena. {0} {1} tržní cena {2}", + "bisqEasy.openTrades.welcome.info" to "Prosím, seznamte se s konceptem, procesem a pravidly obchodování na Bisq Easy.\nPo přečtení a přijetí obchodních pravidel můžete zahájit obchod.", + "bisqEasy.tradeState.info.seller.phase3a.fiatPaymentReceivedCheckBox" to "Potvrdil jsem přijetí {0}", + "bisqEasy.offerbook" to "Nabídková kniha", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.description.LN" to "Lightning faktura", + "bisqEasy.openTrades.table.makerTakerRole" to "Moje role", + "bisqEasy.tradeWizard.market.headline.buyer" to "V jaké měně chcete platit?", + "bisqEasy.tradeWizard.amount.limitInfo.overlay.headline" to "Limity obchodních částek na základě Reputace", + "bisqEasy.tradeWizard.progress.takeOffer" to "Vyberte nabídku", + "bisqEasy.tradeWizard.market.columns.numOffers" to "Poč. nabídek", + "bisqEasy.offerbook.offerList.expandedList.tooltip" to "Sbalit seznam nabídek", + "bisqEasy.openTrades.failedAtPeer" to "Obchod protistrany selhal s chybou způsobenou: {0}", + "bisqEasy.tradeState.info.buyer.phase3b.info.ln" to "Převod přes Lightning network je obvykle téměř okamžitý.\nPokud jste neobdrželi platbu po 1 minutě, kontaktujte prodejce v obchodním chatu. V některých případech platby selžou a je třeba je zopakovat.", + "bisqEasy.takeOffer.amount.buyer.limitInfo.learnMore" to "Dozvědět se více", + "bisqEasy.takeOffer.paymentMethods.subtitle.fiat.seller" to "Zvolte způsob platby, který chcete obdržet {0}", + "bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo.leadLine" to "Protože vaše min. částka je pod {0}, mohou vaši nabídku přijmout prodejci bez Reputace.", + "bisqEasy.walletGuide.open" to "Otevřít průvodce peněženkou", + "bisqEasy.tradeState.info.seller.phase3a.btcSentButton" to "Potvrzuji, že jsem odeslal {0}", + "bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMax.overlay.info" to "Skóre Reputace prodávajícího {0} neposkytuje dostatečnou bezpečnost. Nicméně, pro nižší obchodní částky (až {1}) jsou požadavky na reputaci mírnější.\n\nPokud se rozhodnete pokračovat i přes nedostatek reputace prodávajícího, ujistěte se, že jste si plně vědomi souvisejících rizik. Bezpečnostní model Bisq Easy se spoléhá na reputaci prodávajícího, protože kupující musí nejprve Odeslat fiat měnu.", + "bisqEasy.tradeState.paymentProof.MAIN_CHAIN" to "ID transakce", + "bisqEasy.takeOffer.paymentMethods.subtitle.bitcoin.seller" to "Zvolte způsob vypořádání pro odesílání bitcoinů", + "bisqEasy.offerbook.offerList.table.filters.showMyOffersOnly" to "Pouze mé nabídky", + "bisqEasy.component.amount.baseSide.tooltip.buyerInfo" to "Prodejci mohou požadovat vyšší cenu, aby pokryli náklady na získání reputace. Běžná je prémie na cenu ve výši 5-15 %.", + "bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.scoreTooLow" to "Vaše Skóre Reputace {0} nenabízí dostatečnou bezpečnost pro kupující.\n\nKupující, kteří zvažují přijetí vaší nabídky, obdrží varování o potenciálních rizicích spojených s přijetím vaší nabídky.\n\nInformace o tom, jak zvýšit svou reputaci, naleznete v sekci ''Reputace/Vytvořit Reputaci''.", + "bisqEasy.tradeState.info.phase3b.button.next.amountNotMatching" to "Částka výstupu pro adresu ''{0}'' v transakci ''{1}'' je ''{2}'', což se neshoduje s částkou obchodu ''{3}''.\n\nByli jste schopni vyřešit tento problém se svým obchodním protějškem?\nPokud ne, můžete zvážit žádost o zprostředkování, abyste pomohli vyřešit tuto záležitost.", + "bisqEasy.tradeState.info.buyer.phase3b.balance" to "Přijaté Bitcoin", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.overlay.info" to "Vzhledem k nízké min. částce {0} jsou požadavky na Reputace uvolněny.\nPro částky až {1} nepotřebují prodejci Reputace.\n\nNa obrazovce ''Vybrat nabídku'' se doporučuje vybírat prodejce s vyšší Reputace.", + "bisqEasy.tradeWizard.review.toPay" to "Částka k zaplacení", + "bisqEasy.takeOffer.review.headline" to "Přehled obchodu", + "bisqEasy.openTrades.table.makerTakerRole.taker" to "Přijímající", + "bisqEasy.openTrades.chat.attach" to "Připojit", + "bisqEasy.tradeWizard.amount.addMinAmountOption" to "Přidat min/max rozsah pro částku", + "bisqEasy.tradeWizard.paymentMethods.warn.noBtcSettlementMethodSelected" to "Vyberte si prosím alespoň jeden způsob vypořádání bitcoinů.", + "bisqEasy.takeOffer.paymentMethods.subtitle.bitcoin.buyer" to "Zvolte způsob vypořádání pro příjem bitcoinů", + "bisqEasy.openTrades.table.paymentMethod" to "Platba", + "bisqEasy.takeOffer.review.noTradeFees" to "V Bisq Easy žádné obchodní poplatky", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.tooltip" to "Odečíst QR kód pomocí vaší webkamery", + "bisqEasy.tradeWizard.review.paymentMethodDescriptions.fiat.maker" to "Metody platby Fiat", + "bisqEasy.tradeWizard.review.chatMessage.peerMessageTitle.sell" to "Prodejte Bitcoin uživateli", + "bisqEasy.onboarding.left.info" to "Průvodce obchodem vás provede vaším prvním obchodem s Bitcoinem. Prodejci Bitcoinů vám pomohou, pokud budete mít jakékoli otázky.", + "bisqEasy.offerbook.offerList.collapsedList.tooltip" to "Rozbalit seznam nabídek", + "bisqEasy.price.feedback.sentence.low" to "nízká", + "bisqEasy.tradeState.info.seller.phase3b.info.MAIN_CHAIN" to "Bitcoin platba vyžaduje alespoň 1 potvrzení v blockchainu, aby byla považována za dokončenou.", + "bisqEasy.tradeWizard.review.toSend" to "Částka k odeslání", + "bisqEasy.tradeState.info.seller.phase1.accountData.prompt" to "Vyplňte údaje o svém platebním účtu. Např. IBAN, BIC a jméno majitele účtu", + "bisqEasy.tradeWizard.review.chatMessage.myMessageTitle" to "Moje nabídka na {0} Bitcoin", + "bisqEasy.tradeWizard.directionAndMarket.feedback.headline" to "Jak si vybudovat reputaci?", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.info" to "U nabídek do {0} jsou požadavky na Reputaci uvolněny.", + "bisqEasy.tradeWizard.review.createOfferSuccessButton" to "Zobrazit mou nabídku v 'Nabídková kniha'", + "bisqEasy.tradeWizard.review.takeOfferSuccess.subTitle" to "Prosím, spojte se s obchodním protějškem v sekci 'Otevřené obchody'.\nNajdete tam další informace pro další kroky.\n\nUjistěte se, že pravidelně kontrolujete aplikaci Bisq pro nové zprávy od svého obchodního protějšku.", + "bisqEasy.mediation.request.confirm.openMediation" to "Otevřít mediaci", + "bisqEasy.price.tradePrice.inputBoxText" to "Cena transakce v {0}", + "bisqEasy.tradeGuide.rules.content" to "- Před výměnou údajů o účtu mezi prodejcem a kupujícím může kterákoliv strana zrušit obchod bez udání důvodu.\n- Obchodníci by měli pravidelně kontrolovat své obchody na nové zprávy a musí reagovat do 24 hodin.\n- Jakmile jsou vyměněny údaje o účtu, nedodržení obchodních povinností se považuje za porušení obchodní smlouvy a může vést k zákazu v síti Bisq. To se nevztahuje, pokud obchodní protějšek neodpovídá.\n- Během platby v Fiat měně kupující NESMÍ zahrnout termíny jako 'Bisq' nebo 'Bitcoin' do pole 'důvod platby'. Obchodníci se mohou dohodnout na identifikátoru, například na náhodném řetězci jako 'H3TJAPD', aby spojili bankovní převod s obchodem.\n- Pokud obchod nemůže být okamžitě dokončen kvůli delším dobám převodu Fiat měny, musí být oba obchodníci online alespoň jednou denně, aby monitorovali průběh obchodu.\n- Pokud se obchodníci setkají s nerozřešenými problémy, mají možnost pozvat do obchodního chatu mediátora pro pomoc.\n\nPokud máte jakékoli dotazy nebo potřebujete pomoc, neváhejte navštívit diskuzní místnosti dostupné v nabídce 'Podpora'. Šťastné obchodování!", + "bisqEasy.offerbook.offerList.table.columns.peerProfile" to "Profil protějšku", + "bisqEasy.tradeState.info.phase3b.balance.invalid.amountNotMatching" to "Částka výstupu z transakce se neshoduje s částkou obchodu", + "bisqEasy.tradeWizard.review.chatMessage.peerMessage.buy" to "Koupit Bitcoin od {0}\nMnožství: {1}\nMetody platby Bitcoin: {2}\nMetody platby Fiat: {3}\n{4}", + "bisqEasy.price.percentage.title" to "Procentuální cena", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.connecting" to "Připojuji se k webkameře...", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.learnMore" to "Dozvědět se více", + "bisqEasy.tradeGuide.open" to "Otevřít průvodce obchodováním", + "bisqEasy.tradeState.info.phase3b.lightning.preimage" to "Preimage", + "bisqEasy.tradeWizard.review.table.baseAmount.seller" to "Utratíte", + "bisqEasy.openTrades.cancelTrade.warning.buyer" to "Jelikož výměna údajů o účtu začala, zrušení obchodu bez souhlasu prodejce {0}", + "bisqEasy.tradeWizard.review.chatMessage.marketPrice" to "Tržní cena", + "bisqEasy.tradeWizard.amount.seller.limitInfo.link" to "Dozvědět se více", + "bisqEasy.tradeState.info.seller.phase2a.waitForPayment.info" to "Jakmile kupující zahájí platbu {0}, budete o tom informováni.", + "bisqEasy.offerbook.offerList.table.columns.price.tooltip.fixPrice" to "Pevná cena: {0}\nProcento od aktuální tržní ceny: {1}", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.walletHelp" to "Pokud jste si ještě nenastavili peněženku, můžete najít pomoc v průvodci peněženkou", + "bisqEasy.tradeGuide.security.content" to "- Bezpečnostní model Bisq Easy je optimalizován pro malé obchodní částky.\n- Model spoléhá na reputaci prodejce, který je obvykle zkušeným uživatelem Bisq a očekává se, že poskytne užitečnou podporu novým uživatelům.\n- Budování reputace může být nákladné, což vede k běžné prémii na cenu od 5 do 15 %, aby se pokryly dodatečné náklady a kompenzovala se služba prodejce.\n- Obchodování s prodejci bez reputace nese významná rizika a mělo by se podnikat pouze tehdy, pokud jsou rizika důkladně pochopena a řízena.", + "bisqEasy.openTrades.csv.paymentMethod" to "Způsob platby", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.button.accept" to "Přijmout cenu", + "bisqEasy.openTrades.failed" to "Obchod selhal s chybovou zprávou: {0}", + "bisqEasy.tradeState.info.seller.phase3b.headline.MAIN_CHAIN" to "Čekání na potvrzení v blockchainu", + "bisqEasy.tradeState.info.buyer.phase3a.info" to "Prodejce musí zahájit platbu Bitcoinem na vaši zadanou {0}.", + "bisqEasy.tradeState.info.seller.phase3b.headline.ln" to "Čekejte na potvrzení přijetí Bitcoinu kupujícím", + "bisqEasy.tradeState.phase4" to "Obchod dokončen", + "bisqEasy.tradeWizard.review.detailsHeadline.taker" to "Podrobnosti obchodu", + "bisqEasy.tradeState.phase3" to "Převod Bitcoinu", + "bisqEasy.tradeWizard.review.takeOfferSuccess.headline" to "Úspěšně jste přijali nabídku", + "bisqEasy.tradeState.phase2" to "Fiat platba", + "bisqEasy.tradeState.phase1" to "Údaje o účtu", + "bisqEasy.mediation.request.feedback.msg" to "Byla odeslána žádost registrovaným mediátorům.\n\nProsím, mějte trpělivost, dokud mediátor není online, aby se připojil k obchodnímu chatu a pomohl vyřešit jakékoli problémy.", + "bisqEasy.offerBookChannel.description" to "Tržní kanál pro obchodování {0}", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.failed" to "Chyba při připojování k webkameře", + "bisqEasy.tradeGuide.welcome.content" to "Tento průvodce poskytuje přehled o základních aspektech pro nákup nebo prodej Bitcoinů s Bisq Easy.\nV tomto průvodci se dozvíte o bezpečnostním modelu používaném v Bisq Easy, získáte přehled o procesu obchodování a seznámíte se s pravidly obchodu.\n\nPro další dotazy neváhejte navštívit chatovací místnosti dostupné v menu 'Podpora'.", + "bisqEasy.offerDetails.quoteSideAmount" to "Částka v {0}", + "bisqEasy.tradeState.info.seller.phase2a.waitForPayment.headline" to "Čekání na {0} platbu od kupujícího", + "bisqEasy.tradeState.info.buyer.phase2a.reasonForPaymentInfo" to "Prosím, nevyplňujte pole 'Důvod platby', pokud děláte bankovní převod", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.proceed" to "Ignorovat výstrahu", + "bisqEasy.offerbook.offerList.table.filters.paymentMethods.title" to "Platby ({0})", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.browseOfferbook" to "Procházet nabídkovou knihu", + "bisqEasy.tradeState.info.seller.phase2b.fiatReceivedButton" to "Potvrdit přijetí {0}", + "bisqEasy.tradeWizard.amount.seller.limitInfo.noReputationNeededForMaxOrFixedAmount" to "Pro částky až {0} není vyžadována Reputace.", + "bisqEasy.openTrades.csv.receiverAddressOrInvoice" to "Adresa příjemce/Faktura", + "bisqEasy.tradeWizard.review.chatMessage.peerMessage.sell" to "Prodejte Bitcoin uživateli {0}\nMnožství: {1}\nMetoda vyrovnání Bitcoin: {2}\nMetoda platby Fiat: {3}\n{4}", + "bisqEasy.takeOffer.review.sellerPaysMinerFee" to "Prodávající platí poplatek za těžbu", + "bisqEasy.takeOffer.review.sellerPaysMinerFeeLong" to "Poplatek za těžbu platí prodávající", + "bisqEasy.tradeWizard.review.paymentMethodDescriptions.fiat.taker" to "Vyberte metodu platby Fiat", + "bisqEasy.tradeWizard.directionAndMarket.feedback.gainReputation" to "Naučte se, jak si vybudovat reputaci", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.MAIN_CHAIN" to "ID transakce, kterou jste zadali, se zdá být neplatná.\n\nPokud si jste jisti, že ID transakce je platné, můžete tuto výstrahu ignorovat a pokračovat.", + "bisqEasy.tradeState.info.buyer.phase2a.quoteAmount" to "Částka k převodu", + "bisqEasy.offerbook.marketListCell.favourites.tooltip.removeFromFavourites" to "Odebrat z oblíbených", + "bisqEasy.offerbook.marketListCell.numOffers.tooltip.none" to "V trhu {0} zatím nejsou k dispozici žádné nabídky", + "bisqEasy.price.percentage.inputBoxText" to "Procentuální změna tržní ceny mezi -10 % a 50 %", + "bisqEasy.takeOffer.amount.seller.limitInfo.overlay.info.scoreTooLow" to "Pro částky až {0} jsou požadavky na reputaci uvolněny.\n\nVaše Skóre Reputace {1} neposkytuje dostatečnou bezpečnost pro kupujícího. Nicméně, vzhledem k nízké obchodní částce kupující přijal riziko.\n\nInformace o tom, jak zvýšit svou reputaci, naleznete v ''Reputace/Zvýšení Reputace''.", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.description.LN" to "Preimage (volitelné)", + "bisqEasy.takeOffer.bitcoinPaymentData.warning.MAIN_CHAIN" to "Bitcoinová adresa, kterou jste zadali, se zdá být neplatná.\n\nPokud si jste jisti, že adresa je platná, můžete tuto výstrahu ignorovat a pokračovat.", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.goBack" to "Změnit výběr", + "bisqEasy.tradeWizard.amount.seller.wizard.numMatchingOffers.info" to "Existuje {0} odpovídajících nabídek pro zvolenou částku obchodu.", + "bisqEasy.tradeState.bitcoinPaymentData.MAIN_CHAIN" to "Bitcoin adresa", + "bisqEasy.onboarding.top.content1" to "Získejte rychlý úvod do Bisq Easy", + "bisqEasy.onboarding.top.content2" to "Podívejte se, jak funguje proces obchodování", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.description.MAIN_CHAIN" to "ID transakce", + "bisqEasy.onboarding.top.content3" to "Naučte se o jednoduchých pravidlech obchodu", + "bisqEasy.tradeState.header.peer" to "Obchodní partner", + "bisqEasy.tradeState.info.phase3b.button.skip" to "Přeskočit čekání na potvrzení bloku", + "bisqEasy.openTrades.closeTrade.warning.completed" to "Váš obchod byl dokončen.\n\nNyní můžete obchod zavřít nebo zálohovat obchodní data na počítači, pokud je to potřeba.\n\nJakmile je obchod zavřen, všechna data související s obchodem zmizí a již nemůžete komunikovat s obchodním partnerem v obchodním chatu.", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.noReputationNeededForMaxOrFixedAmount.riskInfo" to "Ujistěte se, že plně rozumíte rizikům spojeným s obchodováním.", + "bisqEasy.tradeState.info.buyer.phase1a.tradeLogMessage.LN" to "{0} poslal Lightning fakturu ''{1}''", + "bisqEasy.openTrades.cancelled.peer" to "Váš obchodní partner zrušil obchod", + "bisqEasy.tradeCompleted.header.myOutcome.seller" to "Přijal jsem", + "bisqEasy.tradeWizard.review.chatMessage.offerDetails" to "Množství: {0}\nMetody platby Bitcoin: {1}\nMetody platby Fiat: {2}\n{3}", + "bisqEasy.takeOffer.bitcoinPaymentData.warning.proceed" to "Ignorovat výstrahu", + "bisqEasy.takeOffer.review.detailsHeadline" to "Podrobnosti obchodu", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.info" to "Prodávající, který chce přijmout vaši nabídku ve výši {0}, musí mít Skóre Reputace alespoň {1}.\nSnížením maximální částky obchodu zpřístupníte svou nabídku více prodávajícím.", + "bisqEasy.tradeState.info.buyer.phase2a.tradeLogMessage" to "{0} zahájil platbu {1}", + "bisqEasy.takeOffer.amount.seller.limitInfo.scoreTooLow" to "Jelikož je vaše Skóre Reputace pouze {0}, je váš obchodní limit omezen na", + "bisqEasy.tradeState.info.seller.phase3a.baseAmount" to "Částka k odeslání", + "bisqEasy.takeOffer.review.takeOfferSuccess.subTitle" to "Prosím, spojte se s obchodním protějškem v sekci 'Otevřené obchody'.\nNajdete tam další informace pro další kroky.\n\nUjistěte se, že pravidelně kontrolujete aplikaci Bisq pro nové zprávy od svého obchodního protějšku.", + "bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.paymentProof.LN" to "Preimage", + "bisqEasy.tradeCompleted.body.txId.tooltip" to "Otevřít prohlížeč bloků pro ID Transakce", + "bisqEasy.offerbook.marketListCell.numOffers.many" to "{0} nabídek", + "bisqEasy.walletGuide.createWallet.content" to "Bluewallet umožňuje vytvořit několik peněženek pro různé účely. Prozatím potřebujete mít pouze jednu peněženku. Jakmile vstoupíte do Bluewallet, uvidíte zprávu, která vám navrhne přidat novou peněženku. Jakmile to uděláte, zadejte název vaší peněženky a vyberte možnost *Bitcoin* v sekci *Typ*. Všechny ostatní možnosti můžete nechat tak, jak se zobrazují, a kliknout na *Vytvořit*.\n\nKdyž přejdete k dalšímu kroku, budete seznámeni se 12 slovy. Těchto 12 slov je záloha, která vám umožní obnovit peněženku, pokud se něco stane s vaším telefonem. Napište je na kus papíru (ne digitálně) ve stejném pořadí, v jakém jsou prezentována, uschovejte tento papír bezpečně a ujistěte se, že k němu máte přístup pouze vy. Více o tom, jak zabezpečit svou peněženku, se můžete dozvědět v sekci Learn Bisq 2 věnované peněženkám a bezpečnosti.\n\nAž budete hotovi, klikněte na 'Ok, I wrote it down'.\nGratulujeme! Vytvořili jste svou peněženku! Pojďme se podívat, jak přijmout vaše bitcoiny v ní.", + "bisqEasy.tradeCompleted.body.tradeFee.value" to "V Bisq Easy žádné obchodní poplatky", + "bisqEasy.walletGuide.download.content" to "Existuje mnoho Peněženek, které můžete použít. V této příručce vám ukážeme, jak používat Bluewallet. Bluewallet je skvělý a zároveň velmi jednoduchý, a můžete ho použít k Přijetí vašeho Bitcoinu z Bisq Easy.\n\nMůžete si stáhnout Bluewallet na svůj telefon, bez ohledu na to, zda máte zařízení Android nebo iOS. Chcete-li tak učinit, navštivte oficiální webovou stránku 'bluewallet.io'. Jakmile tam budete, klikněte na App Store nebo Google Play v závislosti na zařízení, které používáte.\n\nDůležitá poznámka: pro vaši bezpečnost se ujistěte, že aplikaci stahujete z oficiálního obchodu s aplikacemi vašeho zařízení. Oficiální aplikaci poskytuje 'Bluewallet Services, S.R.L.', a měli byste to vidět ve svém obchodě s aplikacemi. Stahování škodlivé Peněženky by mohlo ohrozit vaše prostředky.\n\nNakonec rychlá poznámka: Bisq není s Bluewallet nijak spojen. Doporučujeme používat Bluewallet kvůli jeho kvalitě a jednoduchosti, ale na trhu existuje mnoho dalších možností. Měli byste se cítit naprosto svobodně porovnat, vyzkoušet a vybrat si jakoukoli Peněženku, která nejlépe vyhovuje vašim potřebám.", + "bisqEasy.tradeState.info.phase4.txId.tooltip" to "Otevřít transakci v prohlížeči bloků", + "bisqEasy.price.feedback.sentence" to "Vaše nabídka má {0} šancí být přijata za tuto cenu.", + "bisqEasy.takeOffer.paymentMethods.headline.fiatAndBitcoin" to "Jaký způsob platby a vypořádání chcete použít?", + "bisqEasy.tradeWizard.paymentMethods.headline" to "Jaké platební a zúčtovací metody chcete používat?", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.nameAZ" to "Název A-Z", + "bisqEasy.tradeWizard.amount.buyer.limitInfo" to "V síti je {0} s dostatečnou Reputací, aby mohl přijmout nabídku ve výši {1}.", + "bisqEasy.tradeCompleted.header.myDirection.btc" to "btc", + "bisqEasy.tradeGuide.notConfirmed.warn" to "Prosím, přečtěte si průvodce obchodováním a potvrďte, že jste přečetli a porozuměli pravidlům obchodu.", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.info.leadLine" to "Existuje {0} odpovídající zvolené částce obchodu.", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.linkToWikiText" to "Chcete-li se dozvědět více o systému Reputace, navštivte:", + "bisqEasy.tradeState.info.seller.phase3b.info.ln" to "Převody prostřednictvím Lightning Network jsou obvykle téměř okamžité a spolehlivé. V některých případech však platby mohou selhat a je třeba je opakovat.\n\nAby se předešlo problémům, prosím, počkejte, až kupující potvrdí přijetí v obchodním chatu, než uzavřete obchod, protože poté nebude možné komunikovat.", + "bisqEasy.tradeGuide.process" to "Proces", + "bisqEasy.tradeWizard.paymentMethods.warn.customNameMatchesPredefinedMethod" to "Název vaší vlastní platební metody nesmí být stejný jako jeden z předdefinovaných.", + "bisqEasy.tradeState.info.phase3b.balance.help.explorerLookup" to "Vyhledávání transakce v block exploreru ''{0}''", + "bisqEasy.tradeWizard.progress.paymentMethods" to "Platební metody", + "bisqEasy.openTrades.table.quoteAmount" to "Částka", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.filterTitle" to "Zobrazit trhy:", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.LN" to "Preimage, kterou jste zadali, se zdá být neplatná.\n\nPokud si jste jisti, že preimage je platná, můžete tuto výstrahu ignorovat a pokračovat.", + "bisqEasy.tradeState.info.seller.phase1.accountData" to "Mé údaje o platebním účtu", + "bisqEasy.price.feedback.sentence.good" to "dobrá", + "bisqEasy.takeOffer.review.method.fiat" to "Metoda platby v fiat měně", + "bisqEasy.offerbook.offerList" to "Seznam nabídek", + "bisqEasy.offerDetails.baseSideAmount" to "Množství Bitcoinu", + "bisqEasy.tradeState.info.seller.phase3a.bitcoinPayment.description.MAIN_CHAIN" to "Bitcoin adresa", + "bisqEasy.tradeState.info.phase3b.txId" to "ID transakce", + "bisqEasy.tradeWizard.review.paymentMethodDescription.fiat" to "Fiat platební metoda", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.prompt.MAIN_CHAIN" to "Vyplňte ID Transakce Bitcoin", + "bisqEasy.tradeState.info.seller.phase3b.balance" to "Zůstatek Bitcoin platby", + "bisqEasy.takeOffer.amount.headline.seller" to "Kolik chcete obchodovat?", + "bisqEasy.tradeWizard.paymentMethods.warn.maxMethodsReached" to "Nemůžete přidat více než 4 platební metody.", + "bisqEasy.tradeCompleted.header.tradeWith" to "Obchodovat s", + ), + "reputation" to mapOf( + "reputation.burnBsq" to "Spálení BSQ", + "reputation.signedWitness.import.step2.instruction" to "Zkopírujte identifikátor profilu, který chcete vložit do Bisq 1.", + "reputation.signedWitness.import.step4.instruction" to "Vložte json data z předchozího kroku", + "reputation.buildReputation.accountAge.description" to "Uživatelé Bisq 1 mohou získat Reputaci importem stáří účtu z Bisq 1 do Bisq 2.", + "reputation.reputationScore.explanation.ranking.description" to "Řadí uživatele od nejvyššího po nejnižší skóre.\nObecně platí, že čím vyšší je hodnocení, tím větší je pravděpodobnost úspěšného obchodu.", + "user.bondedRoles.type.MEDIATOR.how.inline" to "jako mediátor", + "reputation.totalScore" to "Celkové skóre", + "user.bondedRoles.registration.requestRegistration" to "Žádost o registraci", + "reputation.reputationScore" to "Skóre reputace", + "reputation.signedWitness.info" to "Připojením vašeho 'podpisu svědka stáří účtu' z Bisq 1 můžete poskytnout určitou úroveň důvěry.\n\nExistují určitá očekávání, že uživatel, který obchodoval na Bisq 1 před nějakým časem a dostal podepsaný svůj účet, je poctivý uživatel. Ale toto očekávání je slabé ve srovnání s jinými formami reputace, kde uživatel poskytuje více \"peněz v hře\" s použitím finančních prostředků.", + "user.bondedRoles.headline.roles" to "Připojené role", + "reputation.request.success" to "Úspěšně požádáno o autorizaci od Bisq 1 bridge node\n\nVaše údaje o reputaci by nyní měly být dostupné v síti.", + "reputation.bond.score.headline" to "Vliv na skóre reputace", + "user.bondedRoles.type.RELEASE_MANAGER.about.inline" to "správce vydání", + "reputation.source.BISQ1_ACCOUNT_AGE" to "Stáří účtu", + "reputation.table.columns.profileAge" to "Stáří profilu", + "reputation.burnedBsq.info" to "Spálením BSQ poskytujete důkaz, že jste investovali peníze do své reputace.\nTransakce spálení BSQ obsahuje hash veřejného klíče vašeho profilu. V případě škodlivého chování může váš profil být zablokován arbitry a vaše investice do reputace by se stala bezcennou.", + "reputation.signedWitness.import.step1.instruction" to "Vyberte uživatelský profil, ke kterému chcete připojit reputaci.", + "reputation.signedWitness.totalScore" to "Stáří svědka v dnech * váha", + "reputation.table.columns.details.button" to "Zobrazit podrobnosti", + "reputation.ranking" to "Žebříček", + "reputation.accountAge.import.step2.profileId" to "Identifikátor profilu (Vložte na obrazovku účtu v Bisq 1)", + "reputation.accountAge.infoHeadline2" to "Důsledky ohledně soukromí", + "user.bondedRoles.registration.how.headline" to "Jak se stát {0}?", + "reputation.details.table.columns.lockTime" to "Doba uzamčení", + "reputation.buildReputation.learnMore.link" to "Bisq Wiki.", + "reputation.reputationScore.explanation.intro" to "Reputace na Bisq2 je zachycena ve třech prvcích:", + "reputation.score.tooltip" to "Hodnocení: {0}\nHodnocení: {1}", + "user.bondedRoles.cancellation.failed" to "Odeslání žádosti o zrušení selhalo.\n\n{0}", + "reputation.accountAge.tab3" to "Importovat", + "reputation.accountAge.tab2" to "Skóre", + "reputation.score" to "Skóre", + "reputation.accountAge.tab1" to "Proč", + "reputation.accountAge.import.step4.signedMessage" to "Podepsaná zpráva z Bisq 1", + "reputation.request.error" to "Chyba při žádosti o autorizaci. Text ze schránky:\n{0}", + "reputation.signedWitness.import.step3.instruction1" to "3.1. - Otevřete Bisq 1 a přejděte na 'ÚČET/NÁRODNÍ MĚNOVÉ ÚČTY'.", + "user.bondedRoles.type.MEDIATOR.about.info" to "Pokud v Bisq Easy obchodě vzniknou konflikty, obchodníci mohou požádat o pomoc mediátora.\nMediátor nemá žádnou vykonávací pravomoc a může pouze pokusit se najít kooperativní řešení. V případě zřejmých porušení obchodních pravidel nebo pokusů o podvod může mediátor poskytnout informace moderátorovi, aby byl špatný aktér z sítě vykázán.\nMediátoři a arbitři z Bisq 1 mohou bez zajištění nového BSQ vkladu stát se mediátory v Bisq 2.", + "reputation.signedWitness.import.step3.instruction3" to "3.3. - Tímto vytvoříte json data s podpisem vašeho Bisq 2 identifikátoru profilu a zkopírujete je do schránky.", + "user.bondedRoles.table.columns.role" to "Role", + "reputation.accountAge.import.step1.instruction" to "Vyberte uživatelský profil, ke kterému chcete připojit reputaci.", + "reputation.signedWitness.import.step3.instruction2" to "3.2. - Vyberte nejstarší účet a klikněte na 'EXPORTOVAT PODEPSANÉHO SVĚDKA PRO BISQ 2'.", + "reputation.accountAge.import.step2.instruction" to "Zkopírujte identifikátor profilu, který chcete vložit do Bisq 1.", + "reputation.signedWitness.score.info" to "Import 'podpisu svědka stáří účtu' je považován za slabou formu reputace, která je reprezentována faktorem váhy. 'Podpis svědka stáří účtu' musí být alespoň 61 dní starý a existuje horní hranice 2000 dnů pro výpočet skóre.", + "user.bondedRoles.type.SECURITY_MANAGER" to "Správce bezpečnosti", + "reputation.accountAge.import.step4.instruction" to "Vložte podpis z Bisq 1", + "reputation.buildReputation.intro.part1.formula.footnote" to "* Převod na měnu, která se používá.", + "user.bondedRoles.type.SECURITY_MANAGER.about.inline" to "správce bezpečnosti", + "user.bondedRoles.type.MARKET_PRICE_NODE.about.info" to "Uzel tržní ceny poskytuje tržní data z agregátoru tržní ceny Bisq.", + "reputation.burnedBsq.score.headline" to "Vliv na skóre reputace", + "user.bondedRoles.type.MODERATOR.about.inline" to "moderátor", + "reputation.burnedBsq.infoHeadline" to "Závazek v hře", + "user.bondedRoles.type.ARBITRATOR.about.inline" to "arbitr", + "user.bondedRoles.registration.how.info.node" to "9. Zkopírujte soubor 'default_node_address.json' z datového adresáře uzlu, který chcete zaregistrovat, na svůj pevný disk a otevřete jej tlačítkem 'Importovat adresu uzlu'.\n10. Klikněte na tlačítko 'Požádat o registraci'. Pokud bylo vše správně, vaše registrace se stane viditelnou v tabulce Registrované síťové uzly.", + "user.bondedRoles.type.MODERATOR" to "Moderátor", + "reputation.buildReputation.intro.part2" to "Pokud prodávající zveřejní nabídku s částkou, která není pokryta jeho skóre reputace, kupující uvidí varování o potenciálních rizicích při přijetí této nabídky.", + "reputation.buildReputation.intro.part1" to "Bezpečnostní model Bisq Easy se spoléhá na Reputaci prodávajícího. To je proto, že během obchodu kupující nejprve Odesílá fiat částku, a proto prodávající musí poskytnout Reputaci, aby zajistil určitou úroveň bezpečnosti.\nProdávající může přijmout nabídky až do výše odvozené z jeho Skóre Reputace.\nJe vypočítáno následovně:", + "user.bondedRoles.type.SEED_NODE" to "Seed uzel", + "reputation.bond.infoHeadline2" to "Jaká je doporučená částka a doba uzamčení?", + "reputation.bond.tab2" to "Skóre", + "reputation.bond.tab1" to "Proč", + "reputation" to "Reputace", + "user.bondedRoles.registration.showInfo" to "Zobrazit pokyny", + "reputation.bond.tab3" to "Jak na to", + "user.bondedRoles.table.columns.isBanned" to "Je zabanován", + "reputation.burnedBsq.totalScore" to "Částka Burned BSQ * váha * (1 + stáří / 365)", + "reputation.request" to "Požádat o autorizaci", + "user.bondedRoles.type.MARKET_PRICE_NODE.how.inline" to "jako operátor uzlu tržní ceny", + "reputation.reputationScore.explanation.stars.title" to "Hvězdy", + "user.bondedRoles.type.MEDIATOR" to "Mediátor", + "reputation.buildReputation" to "Vybudovat reputaci", + "reputation.buildReputation.accountAge.title" to "Stáří účtu", + "reputation.source.BSQ_BOND" to "Vložené BSQ", + "reputation.table.columns.details.popup.headline" to "Podrobnosti o reputaci", + "user.bondedRoles.type.RELEASE_MANAGER.about.info" to "Manažer verzí může odesílat oznámení, když je k dispozici nová verze.", + "reputation.accountAge.infoHeadline" to "Poskytnutí důvěry", + "reputation.accountAge.import.step4.title" to "Krok 4", + "user.bondedRoles.type.SEED_NODE.about.inline" to "provozovatel seed uzlu", + "reputation.sim.burnAmount.prompt" to "Zadejte částku BSQ", + "reputation.score.formulaHeadline" to "Skóre reputace se vypočítá následovně:", + "reputation.buildReputation.accountAge.button" to "Zjistit, jak importovat stáří účtu", + "reputation.signedWitness.tab2" to "Skóre", + "reputation.signedWitness.tab1" to "Proč", + "reputation.table.columns.reputation" to "Reputace", + "user.bondedRoles.verification.howTo.instruction" to "1. Otevřete Bisq 1 a přejděte na 'DAO/Bonding/Bonded roles' a vyberte roli podle uživatelského jména záručníka a typu role.\n2. Klikněte na tlačítko Ověřit, zkopírujte identifikátor profilu a vložte jej do pole pro zprávu.\n3. Zkopírujte podpis a vložte jej do pole pro podpis v Bisq 1.\n4. Klikněte na tlačítko Ověřit. Pokud ověření podpisu proběhne úspěšně, záruční role je platná.", + "reputation.signedWitness.tab3" to "Jak na to", + "reputation.buildReputation.title" to "Jak mohou prodejci zvýšit svou Reputaci?", + "reputation.buildReputation.bsqBond.button" to "Zjistit, jak upsat BSQ", + "reputation.burnedBsq.infoHeadline2" to "Jaké je doporučené množství k spálení?", + "reputation.signedWitness.import.step4.signedMessage" to "Json data z Bisq 1", + "reputation.buildReputation.burnBsq.button" to "Zjistit, jak spálit BSQ", + "reputation.accountAge.score.info" to "Import 'stáří účtu' je považován za poměrně slabou formu reputace, která je reprezentována nízkým faktorem váhy.\nPro výpočet skóre je stanovena horní hranice 2000 dnů.", + "reputation.reputationScore.intro" to "V této části je vysvětlena Reputace Bisq, abyste mohli činit informovaná rozhodnutí při přijímání nabídky.", + "user.bondedRoles.registration.bondHolderName" to "Uživatelské jméno držitele vkladu", + "user.bondedRoles.type.SEED_NODE.about.info" to "Seed node poskytuje síťové adresy účastníků sítě pro spuštění Bisq 2 P2P sítě.\nTo je zásadní na samém začátku, protože v tu chvíli nový uživatel ještě nemá žádná trvalá data pro připojení k ostatním uzlům.\nPoskytuje také síťová data P2P, jako jsou chatové zprávy, nově připojenému uživateli. Tuto službu doručování dat provádí také jakýkoli jiný síťový uzel, ale seed nody mají 24/7 dostupnost a vysokou úroveň kvality služby, což zajišťuje větší stabilitu a výkonnost a tím i lepší zkušenost s inicializací.\nOperátoři seed nodů z Bisq 1 mohou bez zajištění nového BSQ vkladu stát se operátory seed nodů v Bisq 2.", + "reputation.table.headline" to "Hodnocení reputace", + "user.bondedRoles.type.SECURITY_MANAGER.how.inline" to "jako správce bezpečnosti", + "reputation.buildReputation.bsqBond.description" to "Podobně jako spálení BSQ, ale s použitím vratných BSQ závazků.\nBSQ musí být upsáno na minimálně 50 000 bloků (přibližně 1 rok).", + "user.bondedRoles.registration.node.addressInfo.prompt" to "Importujte soubor 'default_node_address.json' z datového adresáře uzlu.", + "user.bondedRoles.registration.node.privKey" to "Soukromý klíč", + "user.bondedRoles.registration.headline" to "Žádost o registraci", + "reputation.sim.lockTime" to "Doba uzamčení v blocích", + "reputation.bond" to "BSQ vklady", + "user.bondedRoles.registration.signature.prompt" to "Vložte podpis ze svého záručního role", + "reputation.buildReputation.burnBsq.title" to "Spálení BSQ", + "user.bondedRoles.table.columns.node.address" to "Adresa", + "reputation.reputationScore.explanation.score.title" to "Skóre", + "user.bondedRoles.type.MARKET_PRICE_NODE" to "Uzel s tržními cenami", + "reputation.bond.info2" to "Doba uzamčení musí být nejméně 50 000 bloků, což je přibližně 1 rok, aby byl vklad považován za platný. Částka může být vybrána uživatelem a bude určovat pořadí vůči ostatním prodejcům. Prodejci s nejvyšším skóre reputace budou mít lepší obchodní příležitosti a mohou získat vyšší prémii na cenu. Nejlepší nabídky podle reputace budou v nabídce výběru nabídek ve \"Průvodci obchodem\".\n\nKupující mohou přijímat nabídky pouze od prodejců s reputačním skóre alespoň 30 000. Toto je výchozí hodnota a může být změněno v preferencích.\n\nPokud je vytvoření BSQ vkladu příliš složité, zvažte další dostupné možnosti pro budování reputace.", + "reputation.accountAge.info2" to "Připojením vašeho účtu v Bisq 1 k Bisq 2 má to nějaké dopady na vaše soukromí. Při ověřování vašeho 'stáří účtu' je vaše identita v Bisq 1 kryptograficky propojena s vaším ID profilu v Bisq 2.\nExponování je však omezeno na 'Bisq 1 bridge node', který provozuje přispěvatel Bisq, který nastavil BSQ vklad (bonded role).\n\nStáří účtu je alternativou pro ty, kteří nechtějí používat spálené BSQ nebo BSQ vklady kvůli finančním nákladům. 'Stáří účtu' by mělo být alespoň několik měsíců staré, aby odráželo určitou úroveň důvěry.", + "reputation.signedWitness.score.headline" to "Vliv na skóre reputace", + "reputation.accountAge.info" to "Připojením vašeho stáří účtu v Bisq 1 můžete poskytnout určitou úroveň důvěry.\n\nExistují určitá očekávání, že uživatel, který použil Bisq nějakou dobu, je poctivý uživatel. Ale toto očekávání je slabé ve srovnání s jinými formami reputace, kde uživatel poskytuje silnější důkazy s použitím nějakých finančních prostředků.", + "reputation.reputationScore.closing" to "Pro více informací o tom, jak si prodejce vybudoval svou reputaci, se podívejte na sekci 'Hodnocení' a klikněte na 'Zobrazit podrobnosti' u uživatele.", + "user.bondedRoles.cancellation.success" to "Žádost o zrušení byla úspěšně odeslána. V tabulce níže uvidíte, zda byla žádost o zrušení úspěšně ověřena a role odstraněna orákulem.", + "reputation.buildReputation.intro.part1.formula.output" to "Maximální obchodní částka v USD *", + "reputation.buildReputation.signedAccount.title" to "Podpis svědka stáří účtu", + "reputation.signedWitness.infoHeadline" to "Poskytnutí důvěry", + "user.bondedRoles.type.EXPLORER_NODE.about.info" to "Uzel blockchain explorera se používá v Bisq Easy k vyhledávání transakcí v Bitcoin platbě.", + "reputation.buildReputation.signedAccount.description" to "Uživatelé Bisq 1 mohou získat Reputaci importem stáří svého upsaného účtu z Bisq 1 do Bisq 2.", + "reputation.burnedBsq.score.info" to "Spalování BSQ je považováno za nejsilnější formu reputace, která je reprezentována vysokým váhovým faktorem. Během prvního roku se aplikuje časový bonus, který postupně zvyšuje skóre až na dvojnásobek jeho počáteční hodnoty.", + "reputation.accountAge" to "Stáří účtu", + "reputation.burnedBsq.howTo" to "1. Vyberte uživatelský profil, pro který chcete připojit reputaci.\n2. Zkopírujte 'ID profilu'\n3. Otevřete Bisq 1 a přejděte na 'DAO/PROOF OF BURN' a vložte zkopírovanou hodnotu do pole 'pre-image'.\n4. Zadejte částku BSQ, kterou chcete spálit.\n5. Publikujte transakci Burn BSQ.\n6. Po potvrzení blockchainem bude vaše reputace viditelná v profilu.", + "user.bondedRoles.type.ARBITRATOR.how.inline" to "jako arbitrátor", + "user.bondedRoles.type.RELEASE_MANAGER" to "Správce vydání", + "reputation.bond.info" to "Nastavením BSQ vkladu poskytujete důkaz, že jste peníze uzamkli pro získání reputace.\nTransakce BSQ vkladu obsahuje hash veřejného klíče vašeho profilu. V případě škodlivého chování může váš vklad být zkonfiskován DAO a váš profil může být zablokován arbitry.", + "reputation.weight" to "Váha", + "reputation.buildReputation.bsqBond.title" to "Upsání BSQ", + "reputation.sim.age" to "Stáří v dnech", + "reputation.burnedBsq.howToHeadline" to "Postup pro spálení BSQ", + "reputation.bond.howToHeadline" to "Postup pro nastavení BSQ vkladu", + "reputation.sim.age.prompt" to "Zadejte stáří v dnech", + "user.bondedRoles.type.SECURITY_MANAGER.about.info" to "Bezpečnostní manažer může v případě mimořádných událostí odeslat výstražnou zprávu.", + "reputation.bond.score.info" to "Nastavení upsaného BSQ je považováno za silnou formu reputace. Doba uzamčení musí být alespoň: 50 000 bloků (přibližně 1 rok). V prvním roce se aplikuje časově založené zvýšení, které postupně zvyšuje skóre až na dvojnásobek jeho počáteční hodnoty.", + "reputation.signedWitness" to "Podpis svědka stáří účtu", + "user.bondedRoles.registration.about.headline" to "O roli {0}", + "user.bondedRoles.registration.hideInfo" to "Skrýt pokyny", + "reputation.source.BURNED_BSQ" to "Spálené BSQ", + "reputation.buildReputation.learnMore" to "Zjistěte více o systému reputace Bisq na", + "reputation.reputationScore.explanation.stars.description" to "Toto je grafické znázornění skóre. Podívejte se na konverzní tabulku níže, jak se hvězdy počítají.\nDoporučuje se obchodovat s prodejci, kteří mají nejvyšší počet hvězd.", + "reputation.burnedBsq.tab1" to "Proč", + "reputation.burnedBsq.tab3" to "Jak na to", + "reputation.burnedBsq.tab2" to "Skóre", + "user.bondedRoles.registration.node.addressInfo" to "Data adresy uzlu", + "reputation.buildReputation.signedAccount.button" to "Zjistit, jak importovat upsaný účet", + "user.bondedRoles.type.ORACLE_NODE.about.info" to "Oracle node slouží k poskytování dat Bisq 1 a DAO pro použití v Bisq 2, například pro reputaci.", + "reputation.buildReputation.intro.part1.formula.input" to "Skóre reputace", + "reputation.signedWitness.import.step2.title" to "Krok 2", + "reputation.table.columns.reputationScore" to "Skóre reputace", + "user.bondedRoles.table.columns.node.address.openPopup" to "Otevřít vyskakovací okno s daty adresy", + "reputation.sim.lockTime.prompt" to "Zadejte dobu uzamčení", + "reputation.sim.score" to "Celkové skóre", + "reputation.accountAge.import.step3.title" to "Krok 3", + "reputation.signedWitness.info2" to "Připojením vašeho účtu v Bisq 1 k Bisq 2 má to nějaké dopady na vaše soukromí. Pro ověření vašeho 'podpisu svědka stáří účtu' je vaše identita v Bisq 1 kryptograficky propojena s vaším ID profilu v Bisq 2.\nExponování je však omezeno na 'Bisq 1 bridge node', který provozuje přispěvatel Bisq, který nastavil BSQ vklad (bonded role).\n\nPodpis svědka stáří účtu je alternativou pro ty, kteří nechtějí používat spálené BSQ nebo BSQ vklady kvůli finančním zátěžím. 'Podpis svědka stáří účtu' musí být alespoň 61 dní starý, aby byl zvážen pro reputaci.", + "user.bondedRoles.type.RELEASE_MANAGER.how.inline" to "jako manažer verzí", + "user.bondedRoles.table.columns.oracleNode" to "Orakulní uzel", + "reputation.accountAge.import.step2.title" to "Krok 2", + "user.bondedRoles.type.MODERATOR.about.info" to "Uživatelé chatu mohou hlásit porušení pravidel chatu nebo obchodních pravidel moderátorovi.\nV případě, že poskytnuté informace jsou dostatečné k ověření porušení pravidla, může moderátor uživatele z sítě vykázat.\nV případě závažného porušení prodejce, který si vydělal určitý druh pověsti, bude pověst zneplatněna a příslušná zdrojová data (jako transakce DAO nebo data o věku účtu) budou v Bisq 2 zablokována a orákulum operátorem budou poslána zpět do Bisq 1 a uživatel bude zablokován také v Bisq 1.", + "reputation.source.PROFILE_AGE" to "Stáří profilu", + "reputation.bond.howTo" to "1. Vyberte uživatelský profil, ke kterému chcete připojit reputaci.\n2. Zkopírujte 'ID profilu'\n3. Otevřete Bisq 1 a přejděte na 'DAO/BONDING/BONDED REPUTATION' a vložte zkopírovanou hodnotu do pole 'salt'.\n4. Zadejte částku BSQ, kterou chcete uzamknout, a dobu uzamčení (50 000 bloků).\n5. Publikujte transakci uzamčení.\n6. Po potvrzení blockchainem bude vaše reputace viditelná v profilu.", + "reputation.table.columns.details" to "Podrobnosti", + "reputation.details.table.columns.score" to "Skóre", + "reputation.bond.infoHeadline" to "Závazek v hře", + "user.bondedRoles.registration.node.showKeyPair" to "Zobrazit klíčový pár", + "user.bondedRoles.table.columns.userProfile.defaultNode" to "Operátor uzlu se staticky poskytovaným klíčem", + "reputation.signedWitness.import.step1.title" to "Krok 1", + "user.bondedRoles.type.MODERATOR.how.inline" to "jako moderátor", + "user.bondedRoles.cancellation.requestCancellation" to "Žádost o zrušení", + "user.bondedRoles.verification.howTo.nodes" to "Jak ověřit síťový uzel?", + "user.bondedRoles.registration.how.info" to "1. Vyberte uživatelský profil, který chcete použít pro registraci, a vytvořte zálohu svého datového adresáře.\n3. Založte návrh na 'https://github.com/bisq-network/proposals' na získání role {0} a přidejte své ID profilu do návrhu.\n4. Poté, co váš návrh byl zkontrolován a získal podporu komunity, vytvořte návrh DAO pro zajištěnou roli.\n5. Poté, co byl váš návrh DAO schválen v hlasování DAO, uzamkněte požadovaný BSQ vklad.\n6. Poté, co byla vaše transakce s vkladem potvrzena, přejděte do 'DAO/Bonding/Bonded roles' v Bisq 1 a klikněte na tlačítko pro podepsání, abyste otevřeli okno pro zadání podpisu.\n7. Zkopírujte ID profilu a vložte ho do pole pro zprávy. Klikněte na tlačítko pro podepsání a zkopírujte podpis. Vložte podpis do pole pro podpis v Bisq 2.\n8. Zadejte uživatelské jméno držitele vkladu.\n{1}", + "reputation.accountAge.score.headline" to "Vliv na skóre reputace", + "user.bondedRoles.table.columns.userProfile" to "Uživatelský profil", + "reputation.accountAge.import.step1.title" to "Krok 1", + "reputation.signedWitness.import.step3.title" to "Krok 3", + "user.bondedRoles.registration.profileId" to "ID profilu", + "user.bondedRoles.type.ARBITRATOR" to "Arbitr", + "user.bondedRoles.type.ORACLE_NODE.how.inline" to "jako operátor orákula", + "reputation.pubKeyHash" to "ID profilu", + "reputation.reputationScore.sellerReputation" to "Reputace prodávajícího je nejlepší signál\nto předpovědět pravděpodobnost úspěšného obchodu v Bisq Easy.", + "user.bondedRoles.table.columns.signature" to "Podpis", + "user.bondedRoles.registration.node.pubKey" to "Veřejný klíč", + "user.bondedRoles.type.EXPLORER_NODE.about.inline" to "provozovatel průzkumného uzlu", + "user.bondedRoles.table.columns.profileId" to "Identifikátor profilu", + "user.bondedRoles.type.MARKET_PRICE_NODE.about.inline" to "provozovatel uzlu s tržními cenami", + "reputation.source.BISQ1_SIGNED_ACCOUNT_AGE_WITNESS" to "Podepsaný svědek", + "reputation.accountAge.import.step3.instruction1" to "3.1. - Otevřete Bisq 1 a jděte na 'ÚČET/NÁRODNÍ MĚNOVÉ ÚČTY'.", + "reputation.accountAge.import.step3.instruction2" to "3.2. - Vyberte nejstarší účet a klikněte na 'EXPORTOVAT ÚČET'.", + "reputation.accountAge.import.step3.instruction3" to "3.3. - Tím se přidá podepsaná zpráva s identifikátorem profilu Bisq 2.", + "user.bondedRoles.table.columns.node.address.popup.headline" to "Data adresy uzlu", + "reputation.reputationScore.explanation.score.description" to "Toto je celkové skóre, které prodejce dosud vybudoval.\nSkóre lze zvýšit několika způsoby. Nejlepší způsob, jak toho dosáhnout, je spálením nebo upsáním BSQ. To znamená, že prodejce vložil zajištění předem a v důsledku toho může být považován za důvěryhodného.\nDalší informace o tom, jak zvýšit skóre, naleznete v sekci 'Build Reputace'.\nDoporučuje se obchodovat s prodejci, kteří mají nejvyšší skóre.", + "reputation.details.table.columns.source" to "Typ", + "reputation.sim.burnAmount" to "Částka BSQ", + "reputation.buildReputation.burnBsq.description" to "Toto je nejsilnější forma reputace.\nSkóre získané spálením BSQ se během prvního roku zdvojnásobí.", + "user.bondedRoles.registration.failed" to "Odeslání žádosti o registraci selhalo.\n\n{0}", + "user.bondedRoles.type.ORACLE_NODE" to "Orakulní uzel", + "user.bondedRoles.table.headline.nodes" to "Registrovaní síťoví uzlové operátoři", + "user.bondedRoles.headline.nodes" to "Síťové uzly", + "user.bondedRoles.registration.bondHolderName.prompt" to "Zadejte uživatelské jméno držitele vkladu v Bisq 1", + "reputation.burnedBsq.info2" to "To bude určeno konkurencí prodejců. Prodejci s nejvyšším skóre reputace budou mít lepší obchodní příležitosti a mohou získat vyšší prémie na cenu. Nejlepší nabídky podle reputace budou v nabídce výběru nabídek ve \"Průvodci obchodem\".\n\nKupující mohou přijímat nabídky pouze od prodejců s reputačním skóre alespoň 30 000. Toto je výchozí hodnota a může být změněno v preferencích.\n\nPokud je spálení BSQ nežádoucí, zvažte ostatní dostupné možnosti pro budování reputace.", + "reputation.reputationScore.explanation.ranking.title" to "Žebříček", + "reputation.sim.headline" to "Simulační nástroj:", + "reputation.accountAge.totalScore" to "Stáří účtu v dnech * váha", + "user.bondedRoles.table.columns.node" to "Uzel", + "user.bondedRoles.verification.howTo.roles" to "Jak ověřit záruční roli?", + "reputation.signedWitness.import.step2.profileId" to "Identifikátor profilu (Vložte na obrazovku účtu v Bisq 1)", + "reputation.bond.totalScore" to "Částka BSQ * váha * (1 + stáří / 365)", + "user.bondedRoles.type.ORACLE_NODE.about.inline" to "provozovatel orakulního uzlu", + "reputation.table.columns.userProfile" to "Uživatelský profil", + "user.bondedRoles.registration.signature" to "Podpis", + "reputation.table.columns.livenessState" to "Naposledy viděn", + "user.bondedRoles.table.headline.roles" to "Registrované záruční role", + "reputation.signedWitness.import.step4.title" to "Krok 4", + "user.bondedRoles.type.EXPLORER_NODE" to "Průzkumný uzel", + "user.bondedRoles.type.MEDIATOR.about.inline" to "mediátor", + "user.bondedRoles.type.EXPLORER_NODE.how.inline" to "jako operátor prohlížeče blockchainu", + "user.bondedRoles.registration.success" to "Žádost o registraci byla úspěšně odeslána. V tabulce níže uvidíte, zda byla registrace úspěšně ověřena a zveřejněna orákulem.", + "reputation.signedWitness.infoHeadline2" to "Důsledky ohledně soukromí", + "user.bondedRoles.type.SEED_NODE.how.inline" to "jako operátor seed nodu", + "reputation.buildReputation.headline" to "Vybudovat reputaci", + "reputation.reputationScore.headline" to "Skóre reputace", + "user.bondedRoles.registration.node.importAddress" to "Importovat adresu uzlu", + "user.bondedRoles.registration.how.info.role" to "9. Klikněte na tlačítko 'Požádat o registraci'. Pokud bylo vše správně, vaše registrace se stane viditelnou v tabulce Registrované zajištěné role.", + "user.bondedRoles.table.columns.bondUserName" to "Uživatelské jméno záručníka", + ), + "chat" to mapOf( + "chat.message.wasEdited" to "(upraveno)", + "support.support.description" to "Kanál pro všeobecnou podporu", + "chat.sideBar.userProfile.headline" to "Uživatelský profil", + "chat.message.reactionPopup" to "reakce s", + "chat.listView.scrollDown" to "Posunout dolů", + "chat.message.privateMessage" to "Poslat soukromou zprávu", + "chat.notifications.offerTaken.message" to "ID obchodu: {0}", + "discussion.bisq.description" to "Veřejný kanál pro diskuse", + "chat.reportToModerator.info" to "Seznamte se prosím s obchodními pravidly a ujistěte se, že důvod hlášení je považován za porušení těchto pravidel.\nPravidla obchodování a chatu můžete přečíst kliknutím na ikonu otazníku v pravém horním rohu obrazovek chatu.", + "chat.notificationsSettingsMenu.all" to "Všechny zprávy", + "chat.message.deliveryState.ADDED_TO_MAILBOX" to "Zpráva přidána do schránky uživatele", + "chat.channelDomain.SUPPORT" to "Podpora", + "chat.sideBar.userProfile.ignore" to "Ignorovat", + "chat.sideBar.channelInfo.notifications.off" to "Vypnuto", + "support.support.title" to "Pomoc", + "discussion.bitcoin.title" to "Bitcoin", + "chat.ignoreUser.warn" to "Vybrání možnosti 'Ignorovat uživatele' efektivně skryje všechny zprávy od tohoto uživatele.\n\nTato akce bude mít účinek až při dalším vstupu do chatu.\n\nPro zrušení této akce přejděte do menu s dalšími možnostmi > Informace o kanálu > Účastníci a vyberte možnost 'Zrušit ignorování' vedle uživatele.", + "events.meetups.description" to "Kanál pro oznámení setkání", + "chat.message.deliveryState.FAILED" to "Odeslání zprávy se nezdařilo.", + "chat.sideBar.channelInfo.notifications.all" to "Všechny zprávy", + "discussion.bitcoin.description" to "Kanál pro diskuse o Bitcoinu", + "chat.message.input.prompt" to "Napište novou zprávu", + "chat.channelDomain.BISQ_EASY_OFFERBOOK" to "Bisq Easy", + "chat.message.takeOffer.buyer.makersReputationScoreTooLow.no" to "Ne, hledám jinou nabídku", + "chat.ellipsisMenu.tradeGuide" to "Průvodce obchodováním", + "chat.chatRules.content" to "- Buďte respektující: Zacházejte s ostatními laskavě, vyhýbejte se urážlivému jazyku, osobním útokům a obtěžování.- Buďte tolerantní: Buďte otevření a přijímejte, že ostatní mohou mít odlišné názory, kulturní zázemí a zkušenosti.- Žádný spam: Vyvarujte se zaplavování chatu opakujícími se nebo irelevantními zprávami.- Žádná reklama: Vyhněte se propagaci komerčních produktů, služeb nebo umísťování propagačních odkazů.- Žádný trolling: Rušivé chování a úmyslné provokace nejsou vítány.- Žádné napodobování: Nepoužívejte přezdívky, které by mohly vést k mylné domněnce, že jste známá osoba.- Respektujte soukromí: Chraňte své i cizí soukromí; nesdílejte detaily obchodů.- Hlašte nesprávné chování: Hlaste porušení pravidel nebo nevhodné chování moderátorovi.- Užijte si chat: Zapojte se do smysluplných diskusí, najděte přátele a bavte se v přátelské a inkluzivní komunitě.\n\nÚčastí na chatu souhlasíte s dodržováním těchto pravidel.\nZávažná porušení pravidel mohou vést k zákazu v síti Bisq.", + "chat.messagebox.noChats.placeholder.description" to "Přidejte se k diskuzi na {0}, abyste sdíleli své myšlenky a pokládali otázky.", + "chat.channelDomain.BISQ_EASY_OPEN_TRADES" to "Bisq Easy obchod", + "chat.message.deliveryState.MAILBOX_MSG_RECEIVED" to "Uživatel stáhl zprávu ze schránky", + "chat.message.takeOffer.buyer.makersReputationScoreTooLow.warning" to "Reputace prodávajícího ve výši {0} je pod požadovaným skóre {1} pro obchodní částku {2}.\n\nBezpečnostní model Bisq Easy se spoléhá na reputaci prodávajícího, protože kupující musí nejprve Odeslat fiat měnu. Pokud se rozhodnete pokračovat v přijetí nabídky navzdory nedostatku reputace, ujistěte se, že plně chápete rizika, která s tím souvisejí.\n\nChcete-li se dozvědět více o systému reputace, navštivte: [HYPERLINK:https://bisq.wiki/Reputace].\n\nChcete pokračovat a přijmout tuto nabídku?", + "chat.message.input.send" to "Odeslat zprávu", + "chat.message.send.offerOnly.warn" to "Máte vybranou možnost 'Pouze nabídky'. Normální textové zprávy nebudou v tomto režimu zobrazeny.\n\nChcete změnit režim, abyste viděli všechny zprávy?", + "chat.notificationsSettingsMenu.title" to "Možnosti oznámení:", + "chat.notificationsSettingsMenu.globalDefault" to "Použít výchozí", + "chat.privateChannel.message.leave" to "{0} opustil/a tento chat", + "chat.channelDomain.BISQ_EASY_PRIVATE_CHAT" to "Bisq Easy", + "chat.sideBar.userProfile.profileAge" to "Stáří profilu", + "events.tradeEvents.description" to "Kanál pro oznámení obchodních událostí", + "chat.sideBar.userProfile.mention" to "Zmínka", + "chat.notificationsSettingsMenu.off" to "Vypnuto", + "chat.private.leaveChat.confirmation" to "Opravdu chcete tento chat opustit?\nZtratíte přístup k chatu a veškeré informace o chatu.", + "chat.reportToModerator.message.prompt" to "Zadejte zprávu pro moderátora", + "chat.message.resendMessage" to "Klikněte pro opětovné odeslání zprávy.", + "chat.reportToModerator.headline" to "Nahlásit moderátorovi", + "chat.sideBar.userProfile.livenessState" to "Poslední aktivita uživatele", + "chat.privateChannel.changeUserProfile.warn" to "Jste v soukromém chatovacím kanálu, který byl vytvořen s uživatelským profilem ''{0}''.\n\nNelze změnit uživatelský profil, když jste v tomto chatovacím kanálu.", + "chat.message.contextMenu.ignoreUser" to "Ignorovat uživatele", + "chat.message.contextMenu.reportUser" to "Nahlásit uživatele moderátorovi", + "chat.leave.info" to "Chystáte se opustit tento chat.", + "chat.messagebox.noChats.placeholder.title" to "Začněte konverzaci!", + "support.questions.description" to "Kanál pro obecné otázky", + "chat.message.deliveryState.CONNECTING" to "Připojování k uživateli", + "chat.message.takeOffer.buyer.makersReputationScoreTooLow.yes" to "Ano, rozumím riziku a chci pokračovat", + "discussion.markets.title" to "Trhy", + "chat.notificationsSettingsMenu.tooltip" to "Možnosti oznámení", + "chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.warning" to "Skóre Reputace prodávajícího je {0}, což je pod požadovaným skóre {1} pro obchodní částku {2}.\n\nJelikož je obchodní částka relativně nízká, požadavky na reputaci byly uvolněny. Pokud se však rozhodnete pokračovat navzdory nedostatečné reputaci prodávajícího, ujistěte se, že plně chápete související rizika. Bezpečnostní model Bisq Easy závisí na reputaci prodávajícího, protože kupující je povinen nejprve odeslat fiat měnu.\n\nChcete-li se dozvědět více o systému reputace, navštivte: [HYPERLINK:https://bisq.wiki/Reputace].\n\nChcete stále přijmout tuto nabídku?", + "chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.yes" to "Ano, rozumím riziku a chci pokračovat", + "chat.message.supportedLanguages" to "Podporované jazyky:", + "chat.sideBar.userProfile.totalReputationScore" to "Celkové skóre reputace", + "chat.topMenu.chatRules.tooltip" to "Otevřít pravidla chatu", + "support.reports.description" to "Kanál pro asistenci při transakcích", + "events.podcasts.title" to "Podcasty", + "chat.sideBar.userProfile.statement" to "Prohlášení", + "chat.sideBar.userProfile.sendPrivateMessage" to "Poslat soukromou zprávu", + "chat.sideBar.userProfile.undoIgnore" to "Zrušit ignorování", + "chat.channelDomain.DISCUSSION" to "Diskuze", + "chat.message.delete.differentUserProfile.warn" to "Tato chatová zpráva byla vytvořena s jiným uživatelským profilem.\n\nChcete zprávu smazat?", + "chat.message.moreOptions" to "Další možnosti", + "chat.private.messagebox.noChats.title" to "{0} soukromé chaty", + "chat.reportToModerator.report" to "Nahlásit moderátorovi", + "chat.message.deliveryState.ACK_RECEIVED" to "Potvrzení přijetí zprávy obdrženo", + "events.tradeEvents.title" to "Obchod", + "discussion.bisq.title" to "Diskuze", + "chat.private.messagebox.noChats.placeholder.title" to "Nemáte žádné probíhající konverzace", + "chat.sideBar.userProfile.id" to "ID uživatele", + "chat.sideBar.userProfile.transportAddress" to "Transportní adresa", + "chat.sideBar.userProfile.version" to "Verze", + "chat.listView.scrollDown.newMessages" to "Posunout dolů pro čtení nových zpráv", + "chat.sideBar.userProfile.nym" to "ID bota", + "chat.message.takeOffer.seller.myReputationScoreTooLow.warning" to "Vaše Skóre Reputace je {0} a je pod požadovaným Skóre Reputace {1} pro obchodní částku {2}.\n\nBezpečnostní model Bisq Easy je založen na reputaci prodávajícího.\nChcete-li se dozvědět více o systému reputace, navštivte: [HYPERLINK:https://bisq.wiki/Reputace].\n\nVíce informací o tom, jak si vybudovat svou reputaci, naleznete v sekci ''Reputace/Vybudování reputace''.", + "chat.private.messagebox.noChats.placeholder.description" to "Pro soukromou komunikaci s uživatelem najedete na jeho zprávu v\nveřejném chatu a klikněte na 'Poslat soukromou zprávu'.", + "chat.message.takeOffer.seller.myReputationScoreTooLow.headline" to "Vaše Skóre Reputace je příliš nízké na to, abyste mohli přijmout tuto nabídku", + "chat.sideBar.channelInfo.participants" to "Účastníci", + "events.podcasts.description" to "Kanál pro oznámení podcastů", + "chat.message.deliveryState.SENT" to "Zpráva odeslána (potvrzení přijetí zatím nebylo obdrženo)", + "chat.message.offer.offerAlreadyTaken.warn" to "Tuto nabídku jste již přijali.", + "chat.message.supportedLanguages.Tooltip" to "Podporované jazyky", + "chat.ellipsisMenu.channelInfo" to "Informace o kanálu", + "discussion.markets.description" to "Kanál pro diskuse o trzích a cenách", + "chat.topMenu.tradeGuide.tooltip" to "Otevřít průvodce obchodováním", + "chat.sideBar.channelInfo.notifications.mention" to "Při zmínce", + "chat.message.send.differentUserProfile.warn" to "V tomto kanálu jste používali jiný uživatelský profil.\n\nOpravdu chcete odeslat tuto zprávu s aktuálně vybraným uživatelským profilem?", + "events.meetups.title" to "Setkání", + "chat.message.citation.headline" to "Odpovídání na:", + "chat.notifications.offerTaken.title" to "Vaše nabídka byla přijata uživatelem {0}", + "chat.message.takeOffer.buyer.makersReputationScoreTooLow.headline" to "Bezpečnostní varování", + "chat.ignoreUser.confirm" to "Ignorovat uživatele", + "chat.chatRules.headline" to "Pravidla chatu", + "discussion.offTopic.description" to "Kanál pro neformální rozhovory", + "chat.leave.confirmLeaveChat" to "Opustit chat", + "chat.sideBar.channelInfo.notifications.globalDefault" to "Použít výchozí", + "support.reports.title" to "Asistence", + "chat.message.reply" to "Odpovědět", + "support.questions.title" to "Otázky", + "chat.sideBar.channelInfo.notification.options" to "Možnosti oznámení", + "chat.reportToModerator.message" to "Zpráva pro moderátora", + "chat.sideBar.userProfile.terms" to "Obchodní podmínky", + "chat.leave" to "Klikněte zde pro opuštění", + "chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.headline" to "Prosím, zvažte rizika při přijetí této nabídky", + "events.conferences.description" to "Kanál pro oznámení konferencí", + "discussion.offTopic.title" to "Mimo téma", + "chat.ellipsisMenu.chatRules" to "Pravidla chatu", + "chat.notificationsSettingsMenu.mention" to "Pokud jsem zmíněn", + "events.conferences.title" to "Konference", + "chat.ellipsisMenu.tooltip" to "Další možnosti", + "chat.private.openChatsList.headline" to "Chatovací partneři", + "chat.notifications.privateMessage.headline" to "Soukromá zpráva", + "chat.channelDomain.EVENTS" to "Události", + "chat.sideBar.userProfile.report" to "Nahlásit moderátorovi", + "chat.message.deliveryState.TRY_ADD_TO_MAILBOX" to "Pokus o přidání zprávy do schránky uživatele", + "chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.no" to "Ne, hledám jinou nabídku", + "chat.private.title" to "Soukromé chaty", + ), + "support" to mapOf( + "support.resources.guides.headline" to "Návody", + "support.resources.resources.community" to "Komunita Bisq na Matrixu", + "support.resources.backup.headline" to "Zálohování", + "support.resources.backup.setLocationButton" to "Nastavit umístění zálohování", + "support.resources.resources.contribute" to "Jak přispět do Bisq", + "support.resources.backup.location.prompt" to "Nastavit umístění zálohování", + "support.resources.legal.license" to "Licence softwaru (AGPLv3)", + "support.resources" to "Zdroje", + "support.resources.backup.backupButton" to "Zálohovat adresář dat Bisq", + "support.resources.backup.destinationNotExist" to "Cílový adresář zálohování ''{0}'' neexistuje", + "support.resources.backup.selectLocation" to "Vyberte umístění zálohování", + "support.resources.backup.location.invalid" to "Neplatná cesta k umístění zálohování", + "support.resources.legal.headline" to "Právní", + "support.resources.resources.webpage" to "Webová stránka Bisq", + "support.resources.guides.chatRules" to "Otevřít pravidla chatu", + "support.resources.backup.location" to "Lokace zálohování", + "support.resources.localData.openTorLogFile" to "Otevřít Tor soubor 'debug.log'", + "support.resources.legal.tac" to "Otevřít uživatelskou dohodu", + "support.resources.localData.headline" to "Místní data", + "support.resources.backup.success" to "Záloha úspěšně uložena na:\n{0}", + "support.resources.backup.location.help" to "Záloha není šifrovaná", + "support.resources.localData.openDataDir" to "Otevřít adresář dat Bisq", + "support.resources.resources.dao" to "O projektu Bisq DAO", + "support.resources.resources.sourceCode" to "Repozitář zdrojového kódu na GitHubu", + "support.resources.resources.headline" to "Webové zdroje", + "support.resources.localData.openLogFile" to "Otevřít soubor 'bisq.log'", + "support.resources.guides.tradeGuide" to "Otevřít obchodní průvodce", + "support.resources.guides.walletGuide" to "Otevřít průvodce peněženkou", + "support.assistance" to "Pomoc", + ), + "user" to mapOf( + "user.password.savePassword.success" to "Ochrana heslem byla povolena.", + "user.bondedRoles.userProfile.select.invalid" to "Prosím, vyberte uživatelský profil ze seznamu", + "user.paymentAccounts.noAccounts.whySetup" to "Proč je nastavení účtu užitečné?", + "user.paymentAccounts.deleteAccount" to "Smazat platební účet", + "user.userProfile.terms.tooLong" to "Obchodní podmínky nesmí být delší než {0} znaků", + "user.password.enterPassword" to "Zadejte heslo (min. 8 znaků)", + "user.userProfile.statement.tooLong" to "Prohlášení nesmí být delší než {0} znaků", + "user.paymentAccounts.createAccount.subtitle" to "Informace o platebním účtu je uchovávána pouze lokálně na vašem počítači a je sdílena pouze s vaším obchodním partnerem, pokud se rozhodnete tak učinit.", + "user.password.confirmPassword" to "Potvrďte heslo", + "user.userProfile.popup.noSelectedProfile" to "Prosím, vyberte uživatelský profil ze seznamu", + "user.userProfile.statement.prompt" to "Zadejte volitelné prohlášení", + "user.userProfile.comboBox.description" to "Uživatelský profil", + "user.userProfile.save.popup.noChangesToBeSaved" to "Nejsou žádné nové změny k uložení", + "user.userProfile.livenessState" to "Poslední aktivita uživatele: před {0}", + "user.userProfile.statement" to "Prohlášení", + "user.paymentAccounts.accountData" to "Informace o platebním účtu", + "user.paymentAccounts.createAccount" to "Vytvořit nový platební účet", + "user.paymentAccounts.noAccounts.whySetup.info" to "Pokud prodáváte Bitcoin, musíte kupujícímu poskytnout údaje o svém platebním účtu pro přijetí Fiat platby. Předem nastavené účty umožňují rychlý a pohodlný přístup k těmto informacím během obchodu.", + "user.userProfile.deleteProfile" to "Smazat profil", + "user.userProfile.reputation" to "Reputace", + "user.userProfile.learnMore" to "Proč vytvořit nový profil?", + "user.userProfile.terms" to "Obchodní podmínky", + "user.userProfile.deleteProfile.popup.warning" to "Opravdu chcete smazat {0}? Tuto operaci nelze vrátit zpět.", + "user.paymentAccounts.createAccount.sameName" to "Tento název účtu je již používán. Použijte prosím jiný název.", + "user.userProfile" to "Uživatelský profil", + "user.password" to "Heslo", + "user.userProfile.nymId" to "Bot ID", + "user.paymentAccounts" to "Platební účty", + "user.paymentAccounts.createAccount.accountData.prompt" to "Zadejte informace o platebním účtu (například údaje o bankovním účtu), které chcete sdílet s potenciálním kupujícím Bitcoinu, aby vám mohl převést částku v národní měně.", + "user.paymentAccounts.headline" to "Vaše platební účty", + "user.userProfile.addressByTransport.I2P" to "I2P adresa: {0}", + "user.userProfile.livenessState.description" to "Poslední aktivita uživatele", + "user.paymentAccounts.selectAccount" to "Vyberte platební účet", + "user.userProfile.new.statement" to "Prohlášení", + "user.userProfile.terms.prompt" to "Zadejte volitelné obchodní podmínky", + "user.password.headline.removePassword" to "Odebrat ochranu heslem", + "user.bondedRoles.userProfile.select" to "Vyberte uživatelský profil", + "user.userProfile.userName.banned" to "[Zakázáno] {0}", + "user.paymentAccounts.createAccount.accountName" to "Název platebního účtu", + "user.userProfile.new.terms" to "Vaše obchodní podmínky", + "user.paymentAccounts.noAccounts.info" to "Zatím jste nevytvořili žádné účty.", + "user.paymentAccounts.noAccounts.whySetup.note" to "Informace k pozadí:\nVaše údaje o účtu jsou uchovávány výhradně lokálně na vašem počítači a sdíleny s vaším obchodním partnerem pouze tehdy, pokud se rozhodnete je sdílet.", + "user.userProfile.profileAge.tooltip" to "Stáří profilu v dnech.", + "user.userProfile.deleteProfile.popup.warning.yes" to "Ano, smazat profil", + "user.userProfile.version" to "Verze: {0}", + "user.userProfile.profileAge" to "Stáří profilu", + "user.userProfile.tooltip" to "Přezdívka: {0}\nBot ID: {1}\nProfilové ID: {2}\n{3}", + "user.userProfile.new.step2.subTitle" to "Můžete volitelně přidat osobní prohlášení do svého profilu a nastavit své obchodní podmínky.", + "user.paymentAccounts.createAccount.accountName.prompt" to "Nastavte jedinečný název pro váš platební účet", + "user.userProfile.addressByTransport.CLEAR" to "Clear netová adresa: {0}", + "user.password.headline.setPassword" to "Nastavte ochranu heslem", + "user.password.button.removePassword" to "Odebrat heslo", + "user.password.removePassword.failed" to "Neplatné heslo.", + "user.userProfile.livenessState.tooltip" to "Čas, který uplynul od opětovného zveřejnění uživatelského profilu v síti, vyvolaný uživatelskou aktivitou, jako je pohyb myši.", + "user.userProfile.tooltip.banned" to "Tento profil je zakázán!", + "user.userProfile.addressByTransport.TOR" to "Torová adresa: {0}", + "user.userProfile.new.step2.headline" to "Doplňte svůj profil", + "user.password.removePassword.success" to "Ochrana heslem byla odebrána.", + "user.userProfile.livenessState.ageDisplay" to "před {0}", + "user.userProfile.createNewProfile" to "Vytvořit nový profil", + "user.userProfile.new.terms.prompt" to "Volitelně nastavit obchodní podmínky", + "user.userProfile.profileId" to "ID profilu", + "user.userProfile.deleteProfile.cannotDelete" to "Smazání uživatelského profilu není povoleno\n\nPro smazání tohoto profilu nejprve:\n- Smažte všechny zprávy odeslané tímto profilem\n- Uzavřete všechny privátní kanály tohoto profilu\n- Ujistěte se, že máte alespoň jeden další profil", + "user.paymentAccounts.noAccounts.headline" to "Vaše platební účty", + "user.paymentAccounts.createAccount.headline" to "Přidat nový platební účet", + "user.userProfile.nymId.tooltip" to "'Bot ID' je generováno z hashe veřejného klíče tohoto\nuživatelského profilu.\nJe přidáno k přezdívce v případě, že v síti existují více uživatelských profilů\ns tímto stejným jménem, aby bylo možné mezi nimi jasně rozlišovat.", + "user.userProfile.new.statement.prompt" to "Volitelné přidat prohlášení", + "user.password.button.savePassword" to "Uložit heslo", + "user.userProfile.profileId.tooltip" to "'ID profilu' je hash veřejného klíče identity tohoto uživatelského profilu\nzakódovaný jako hexadecimální řetězec.", + ), + "network" to mapOf( + "network.version.localVersion.headline" to "Informace o lokální verzi", + "network.nodes.header.numConnections" to "Počet spojení", + "network.transport.traffic.sent.details" to "Odeslaná data: {0}\nČas na odeslání zprávy: {1}\nPočet zpráv: {2}\nPočet zpráv podle názvu třídy: {3}\nPočet distribuovaných dat podle názvu třídy: {4}", + "network.nodes.type.active" to "Uživatelský uzel (aktivní)", + "network.connections.outbound" to "Odchozí", + "network.transport.systemLoad.details" to "Velikost uložených síťových dat: {0}\nAktuální zatížení sítě: {1}\nPrůměrné zatížení sítě: {2}", + "network.transport.headline.CLEAR" to "Clearnet", + "network.nodeInfo.myAddress" to "Moje výchozí adresa", + "network.version.versionDistribution.version" to "Verze {0}", + "network.transport.headline.I2P" to "I2P", + "network.version.versionDistribution.tooltipLine" to "{0} uživatelských profilů s verzí ''{1}''", + "network.transport.pow.details" to "Celkový strávený čas: {0}\nPrůměrný čas na zprávu: {1}\nPočet zpráv: {2}", + "network.nodes.header.type" to "Typ", + "network.transport.pow.headline" to "Důkaz práce", + "network.header.nodeTag" to "Značka identity", + "network.nodes.title" to "Mé uzly", + "network.connections.ioData" to "{0} / {1} Zprávy", + "network.connections.title" to "Spojení", + "network.connections.header.peer" to "Partner", + "network.nodes.header.keyId" to "ID klíče", + "network.version.localVersion.details" to "Verze Bisq: v{0}\nCommit hash: {1}\nVerze Tor: v{2}", + "network.nodes.header.address" to "Adresa serveru", + "network.connections.seed" to "Seed uzel", + "network.p2pNetwork" to "P2P síť", + "network.transport.traffic.received.details" to "Přijatá data: {0}\nČas na deserializaci zprávy: {1}\nPočet zpráv: {2}\nPočet zpráv podle názvu třídy: {3}\nPočet distribuovaných dat podle názvu třídy: {4}", + "network.nodes" to "Infrastrukturní uzly", + "network.connections.inbound" to "Příchozí", + "network.header.nodeTag.tooltip" to "Značka identity: {0}", + "network.version.versionDistribution.oldVersions" to "2.0.4 (nebo starší)", + "network.nodes.type.retired" to "Uživatelský uzel (odstavený)", + "network.transport.traffic.sent.headline" to "Odchozí provoz za poslední hodinu", + "network.roles" to "Připojené role", + "network.connections.header.sentHeader" to "Odesláno", + "network.connections.header.receivedHeader" to "Přijato", + "network.nodes.type.default" to "Gossip uzel", + "network.version.headline" to "Distribuce verzí", + "network.myNetworkNode" to "Můj síťový uzel", + "network.transport.headline.TOR" to "Tor", + "network.connections.header.connectionDirection" to "Vstup/Výstup", + "network.transport.traffic.received.headline" to "Příchozí provoz za poslední hodinu", + "network.transport.systemLoad.headline" to "Zatížení systému", + "network.connections.header.rtt" to "RTT", + "network.connections.header.address" to "Adresa", + ), + "settings" to mapOf( + "settings.language.supported.select" to "Vyberte jazyk", + "settings.network.difficultyAdjustmentFactor.ignoreValueFromSecManager" to "Ignorovat hodnotu poskytnutou Bezpečnostním manažerem Bisq", + "settings.notification.option.off" to "Vypnuto", + "settings.network.difficultyAdjustmentFactor.description.self" to "Vlastní faktor úpravy obtížnosti PoW", + "settings.backup.totalMaxBackupSizeInMB.info.tooltip" to "Důležitá data jsou automaticky zálohována v datovém adresáři vždy, když dojde k aktualizacím,\n podle této retenční strategie:\n - Poslední hodina: Uchovávat maximálně jednu zálohu za minutu.\n - Poslední den: Uchovávat jednu zálohu za hodinu.\n - Poslední týden: Uchovávat jednu zálohu za den.\n - Poslední měsíc: Uchovávat jednu zálohu za týden.\n - Poslední rok: Uchovávat jednu zálohu za měsíc.\n - Předchozí roky: Uchovávat jednu zálohu za rok.\n\nVezměte prosím na vědomí, že tento zálohovací mechanismus nechrání před selháním pevného disku.\nPro lepší ochranu důrazně doporučujeme vytvářet ruční zálohy na alternativním pevném disku.", + "settings.notification.option.all" to "Všechny chatovací zprávy", + "settings.display" to "Zobrazení", + "settings.trade" to "Nabídka a obchod", + "settings.trade.maxTradePriceDeviation" to "Maximální tolerance cen obchodu", + "settings.backup.totalMaxBackupSizeInMB.description" to "Max. velikost v MB pro automatické zálohy", + "settings.language.supported.headline" to "Přidat podporované jazyky", + "settings.misc" to "Různé", + "settings.trade.headline" to "Nastavení nabídky a obchodu", + "settings.trade.maxTradePriceDeviation.invalid" to "Musí být hodnota mezi 1 a {0} %", + "settings.backup.totalMaxBackupSizeInMB.invalid" to "Musí být hodnota mezi {0} MB a {1} MB", + "settings.language.supported.addButton.tooltip" to "Přidat vybraný jazyk do seznamu", + "settings.language.supported.subHeadLine" to "Jazyky, které ovládáte", + "settings.display.useAnimations" to "Použít animace", + "settings.notification.notifyForPreRelease" to "Oznámit předvydání aktualizace softwaru", + "settings.language.select.invalid" to "Prosím vyberte jazyk z nabídky", + "settings.notification.options" to "Možnosti oznámení", + "settings.notification.useTransientNotifications" to "Použít prchavá oznámení", + "settings.language.headline" to "Výběr jazyka", + "settings.language.supported.invalid" to "Prosím vyberte jazyk z nabídky", + "settings.language.restart" to "Pro aplikaci použít nový jazyk, je nutné restartovat aplikaci", + "settings.backup.headline" to "Nastavení zálohy", + "settings.notification.option.mention" to "Pokud jsem zmíněn", + "settings.notification.clearNotifications" to "Vymazat oznámení", + "settings.display.preventStandbyMode" to "Zamezit režimu spánku", + "settings.notifications" to "Oznámení", + "settings.network.headline" to "Nastavení sítě", + "settings.language.supported.list.subHeadLine" to "Ovládám:", + "settings.trade.closeMyOfferWhenTaken" to "Zavřít mou nabídku, když je přijata", + "settings.display.resetDontShowAgain" to "Obnovit všechny vlajky \"Nezobrazovat znovu\"", + "settings.language.select" to "Vyberte jazyk", + "settings.network.difficultyAdjustmentFactor.description.fromSecManager" to "Faktor úpravy obtížnosti PoW podle Bezpečnostního manažera Bisq", + "settings.language" to "Jazyk", + "settings.display.headline" to "Nastavení zobrazení", + "settings.network.difficultyAdjustmentFactor.invalid" to "Hodnota musí být číslo mezi 0 a {0}", + "settings.trade.maxTradePriceDeviation.help" to "Maximální rozdíl ceny obchodu, který maker toleruje, když je jejich nabídka přijata.", + ), + "payment_method" to mapOf( + "F2F_SHORT" to "F2F", + "LN" to "BTC přes Lightning Network", + "WISE_USD" to "Wise-USD", + "DOMESTIC_WIRE_TRANSFER_SHORT" to "Wire", + "MAIN_CHAIN_SHORT" to "Onchain", + "IMPS" to "Indie/IMPS", + "PAYTM" to "Indie/PayTM", + "RTGS" to "Indie/RTGS", + "MONESE" to "Monese", + "CIPS_SHORT" to "CIPS", + "MONEY_GRAM" to "MoneyGram", + "WISE" to "Wise", + "TIKKIE" to "Tikkie", + "UPI" to "Indie/UPI", + "BIZUM" to "Bizum", + "INTERAC_E_TRANSFER" to "Interac e-Transfer", + "LN_SHORT" to "Lightning", + "ALI_PAY" to "AliPay", + "NATIONAL_BANK" to "Převod přes národní banku", + "US_POSTAL_MONEY_ORDER" to "Poštovní poukázka US", + "JAPAN_BANK" to "Převod Japan Bank Furikomi", + "NATIVE_CHAIN" to "Nativní řetězec", + "FASTER_PAYMENTS" to "Faster Payments", + "ADVANCED_CASH" to "Advanced Cash", + "F2F" to "Osobní setkání", + "SWIFT_SHORT" to "SWIFT", + "WECHAT_PAY" to "WeChat Pay", + "RBTC_SHORT" to "RSK", + "ACH_TRANSFER" to "ACH Transfer", + "CHASE_QUICK_PAY" to "Chase QuickPay", + "INTERNATIONAL_BANK_SHORT" to "Mezinárodní banky", + "HAL_CASH" to "HalCash", + "WESTERN_UNION" to "Western Union", + "ZELLE" to "Zelle", + "JAPAN_BANK_SHORT" to "Japan Furikomi", + "RBTC" to "RBTC (BTC vázaný na RSK vedlejší řetězec)", + "SWISH" to "Swish", + "SAME_BANK" to "Převod ve stejné bance", + "ACH_TRANSFER_SHORT" to "ACH", + "AMAZON_GIFT_CARD" to "Amazon eGift Card", + "PROMPT_PAY" to "PromptPay", + "LBTC" to "L-BTC (BTC vázaný na Liquid vedlejší řetězec)", + "US_POSTAL_MONEY_ORDER_SHORT" to "US Money Order", + "VERSE" to "Verse", + "SWIFT" to "SWIFT International Wire Transfer", + "SPECIFIC_BANKS_SHORT" to "Specifické banky", + "WESTERN_UNION_SHORT" to "Western Union", + "DOMESTIC_WIRE_TRANSFER" to "Domestic Wire Transfer", + "INTERNATIONAL_BANK" to "Mezinárodní bankovní převod", + "UPHOLD" to "Uphold", + "CAPITUAL" to "Capitual", + "CASH_DEPOSIT" to "Vklad v hotovosti", + "WBTC" to "WBTC (obalený BTC jako ERC20 token)", + "MONEY_GRAM_SHORT" to "MoneyGram", + "CASH_BY_MAIL" to "Hotovost poštou", + "SAME_BANK_SHORT" to "Stejná banka", + "SPECIFIC_BANKS" to "Převody se specifickými bankami", + "PAXUM" to "Paxum", + "NATIVE_CHAIN_SHORT" to "Nativní řetězec", + "WBTC_SHORT" to "WBTC", + "PERFECT_MONEY" to "Perfect Money", + "CELPAY" to "CelPay", + "STRIKE" to "Strike", + "MAIN_CHAIN" to "Bitcoin (onchain)", + "SEPA_INSTANT" to "SEPA Instant", + "CASH_APP" to "Aplikace pro hotovost", + "POPMONEY" to "Popmoney", + "REVOLUT" to "Revolut", + "NEFT" to "Indie/NEFT", + "SATISPAY" to "Satispay", + "PAYSERA" to "Paysera", + "LBTC_SHORT" to "Liquid", + "SEPA" to "SEPA", + "NEQUI" to "Nequi", + "NATIONAL_BANK_SHORT" to "Národní banky", + "CASH_BY_MAIL_SHORT" to "HotovostPoštou", + "OTHER" to "Jiné", + "PAY_ID" to "PayID", + "CIPS" to "Cross-Border Interbank Payment System", + "MONEY_BEAM" to "MoneyBeam (N26)", + "PIX" to "Pix", + "CASH_DEPOSIT_SHORT" to "Vklad v hotovosti", + ), + "offer" to mapOf( + "offer.priceSpecFormatter.fixPrice" to "Offer with fixed price\n{0}", + "offer.priceSpecFormatter.floatPrice.below" to "{0} below market price\n{1}", + "offer.priceSpecFormatter.floatPrice.above" to "{0} above market price\n{1}", + "offer.priceSpecFormatter.marketPrice" to "At market price\n{0}", + ), + "mobile" to mapOf( + "bootstrap.connectedToTrustedNode" to "Connected to trusted node", + ), + ) +} diff --git a/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/GeneratedResourceBundles_de.kt b/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/GeneratedResourceBundles_de.kt new file mode 100644 index 00000000..e409b616 --- /dev/null +++ b/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/GeneratedResourceBundles_de.kt @@ -0,0 +1,1368 @@ +package network.bisq.mobile.i18n + +// Auto-generated file. Do not modify manually. +object GeneratedResourceBundles_de { + val bundles = mapOf( + "default" to mapOf( + "action.exportAsCsv" to "Als CSV exportieren", + "action.learnMore" to "Mehr erfahren", + "action.save" to "Speichern", + "component.marketPrice.provider.BISQAGGREGATE" to "Bisq Preisaggregator", + "offer.maker" to "Anbieter", + "offer.buyer" to "Käufer", + "component.marketPrice.requesting" to "Marktpreis anfordern", + "component.standardTable.numEntries" to "Anzahl der Einträge: {0}", + "offer.createOffer" to "Neues Angebot erstellen", + "action.close" to "Schließen", + "validation.tooLong" to "Der Eingabetext darf nicht länger als {0} Zeichen sein", + "component.standardTable.filter.tooltip" to "Nach {0} filtern", + "temporal.age" to "Alter", + "data.noDataAvailable" to "Keine Daten verfügbar", + "action.goTo" to "Gehe zu {0}", + "action.next" to "Weiter", + "offer.buying" to "kaufe", + "offer.price.above" to "über", + "offer.buy" to "kaufen", + "offer.taker" to "Akzeptierender", + "validation.password.notMatching" to "Die beiden eingegebenen Passwörter stimmen nicht überein", + "action.delete" to "Löschen", + "component.marketPrice.tooltip.isStale" to "\nWARNUNG: Der Marktpreis ist veraltet!", + "action.shutDown" to "Herunterfahren", + "component.priceInput.description" to "{0} Preis", + "component.marketPrice.source.PROPAGATED_IN_NETWORK" to "Propagiert durch Orakel-Knoten: {0}", + "validation.password.tooShort" to "Das eingegebene Passwort ist zu kurz. Es muss mindestens 8 Zeichen enthalten.", + "validation.invalidLightningInvoice" to "Die Lightning-Rechnung scheint ungültig zu sein", + "action.back" to "Zurück", + "offer.selling" to "verkaufe", + "action.editable" to "Bearbeitbar", + "offer.takeOffer.buy.button" to "Bitcoin kaufen", + "validation.invalidNumber" to "Eingabe ist keine gültige Zahl", + "action.search" to "Suche", + "validation.invalid" to "Ungültige Eingabe", + "component.marketPrice.source.REQUESTED_FROM_PRICE_NODE" to "Angefordert von: {0}", + "validation.invalidBitcoinAddress" to "Die Bitcoin-Adresse scheint ungültig zu sein", + "temporal.year.1" to "{0} Jahr", + "confirmation.no" to "Nein", + "validation.invalidLightningPreimage" to "Das Lightning-Preimage scheint ungültig zu sein", + "temporal.day.1" to "{0} Tag", + "component.standardTable.filter.showAll" to "Alles anzeigen", + "temporal.year.*" to "{0} Jahre", + "data.add" to "Hinzufügen", + "offer.takeOffer.sell.button" to "Bitcoin verkaufen", + "component.marketPrice.source.PERSISTED" to "Dauerhafte Daten", + "action.copyToClipboard" to "In Zwischenablage kopieren", + "confirmation.yes" to "Ja", + "offer.sell" to "verkaufen", + "action.react" to "Reagieren", + "temporal.day.*" to "{0} Tage", + "temporal.at" to "bei", + "component.standardTable.csv.plainValue" to "{0} (einfacher Wert)", + "offer.seller" to "Verkäufer", + "temporal.date" to "Datum", + "action.iUnderstand" to "Ich verstehe", + "component.priceInput.prompt" to "Preis eingeben", + "confirmation.ok" to "OK", + "action.dontShowAgain" to "Nicht erneut anzeigen", + "action.cancel" to "Abbrechen", + "offer.amount" to "Menge", + "action.edit" to "Bearbeiten", + "offer.deleteOffer" to "Mein Angebot löschen", + "data.remove" to "Entfernen", + "data.false" to "Falsch", + "offer.price.below" to "unter", + "data.na" to "N/V", + "action.expandOrCollapse" to "Klicken Sie zum Ausblenden oder Einblenden", + "data.true" to "Wahr", + "validation.invalidBitcoinTransactionId" to "Die Bitcoin-Transaktions-ID scheint ungültig zu sein", + "component.marketPrice.tooltip" to "{0}\nAktualisiert: Vor {1}\nErhalten am: {2}{3}", + "validation.empty" to "Leere Zeichenfolge nicht erlaubt", + "validation.invalidPercentage" to "Eingabe ist kein gültiger Prozentsatz", + ), + "application" to mapOf( + "onboarding.createProfile.nickName" to "Profil-Spitzname", + "notificationPanel.mediationCases.headline.single" to "Neue Nachricht für Mediationsfall mit Trade-ID ''{0}''", + "popup.reportBug" to "Problem an Bisq-Entwickler melden", + "tac.reject" to "Ablehnen und Anwendung beenden", + "dashboard.activeUsers.tooltip" to "Profile bleiben im Netzwerk veröffentlicht,\nwenn der Benutzer in den letzten 15 Tagen online war.", + "popup.hyperlink.openInBrowser.tooltip" to "Link im Browser öffnen: {0}.", + "navigation.reputation" to "Reputation", + "navigation.settings" to "Einstellungen", + "updater.downloadLater" to "Später herunterladen", + "splash.bootstrapState.SERVICE_PUBLISHED" to "{0} veröffentlicht", + "updater.downloadAndVerify.info.isLauncherUpdate" to "Sobald alle Dateien heruntergeladen sind, wird der Signaturschlüssel mit den Schlüsseln verglichen, die in der Anwendung und auf der Bisq-Website verfügbar sind. Dieser Schlüssel wird dann verwendet, um den heruntergeladenen neuen Bisq-Installer zu überprüfen. \nNach Abschluss des Downloads und der Überprüfung navigieren Sie zum Downloadverzeichnis, um die neue Bisq-Version zu installieren.", + "dashboard.offersOnline" to "Angebote online", + "onboarding.password.button.savePassword" to "Passwort speichern", + "popup.headline.instruction" to "Bitte beachten:", + "updater.shutDown.isLauncherUpdate" to "Download-Verzeichnis öffnen und ausschalten", + "updater.ignore" to "Diese Version ignorieren", + "navigation.dashboard" to "Dashboard", + "onboarding.createProfile.subTitle" to "Dein öffentliches Profil besteht aus einem Spitznamen (von dir gewählt) und einem Bot-Icon (kryptografisch generiert)", + "onboarding.createProfile.headline" to "Profil erstellen", + "popup.headline.warning" to "Warnung", + "popup.reportBug.report" to "Bisq-Version: {0}\nBetriebssystem: {1}\nFehlermeldung:\n{2}", + "splash.bootstrapState.network.I2P" to "I2P", + "unlock.failed" to "Entsperren mit dem bereitgestellten Passwort fehlgeschlagen.\n\nVersuchen Sie es erneut und stellen Sie sicher, dass die Feststelltaste", + "popup.shutdown" to "App wird heruntergefahren.\n\nEs kann bis zu {0} Sekunden dauern, bis das Herunterfahren abgeschlossen ist.", + "splash.bootstrapState.service.TOR" to "Onion-Service", + "navigation.expandIcon.tooltip" to "Menü erweitern", + "updater.downloadAndVerify.info" to "Sobald alle Dateien heruntergeladen sind, wird der Signaturschlüssel mit den Schlüsseln verglichen, die in der Anwendung und auf der Bisq-Website verfügbar sind. Dieser Schlüssel wird dann verwendet, um die heruntergeladene neue Version ('desktop.jar') zu überprüfen.", + "popup.headline.attention" to "Hinweis", + "onboarding.password.headline.setPassword" to "Passwortschutz einrichten", + "unlock.button" to "Entsperren", + "splash.bootstrapState.START_PUBLISH_SERVICE" to "Starten der Veröffentlichung von {0}", + "onboarding.bisq2.headline" to "Willkommen bei Bisq 2", + "dashboard.marketPrice" to "Aktueller Marktpreis", + "popup.hyperlink.copy.tooltip" to "Link kopieren: {0}.", + "navigation.bisqEasy" to "Bisq Easy", + "navigation.network.info.i2p" to "I2P", + "dashboard.third.button" to "Reputation aufbauen", + "popup.headline.error" to "Fehler", + "video.mp4NotSupported.warning" to "Du kannst das Video in deinem Browser ansehen unter: [HYPERLINK:{0}]", + "updater.downloadAndVerify.headline" to "Neue Version herunterladen und überprüfen", + "tac.headline" to "Nutzervereinbarung", + "splash.applicationServiceState.INITIALIZE_SERVICES" to "Dienste initialisieren", + "onboarding.password.enterPassword" to "Passwort eingeben (min. 8 Zeichen)", + "splash.details.tooltip" to "Klicken Sie hier, um Details umzuschalten", + "navigation.network" to "Netzwerk", + "dashboard.main.content3" to "Sicherheit basiert auf der Reputation des Verkäufers", + "dashboard.main.content2" to "Chat-basierte und geführte Benutzeroberfläche für den Handel", + "splash.applicationServiceState.INITIALIZE_WALLET" to "Wallet initialisieren", + "onboarding.password.subTitle" to "Setze jetzt den Passwortschutz oder überspringe es und mache es später in 'Benutzereinstellungen/Passwort'.", + "dashboard.main.content1" to "Beginne mit dem Handel oder durchsuche offene Angebote im Angebotsbuch", + "navigation.vertical.collapseIcon.tooltip" to "Untermenü minimieren", + "splash.bootstrapState.network.TOR" to "Tor", + "splash.bootstrapState.service.CLEAR" to "Server", + "splash.bootstrapState.CONNECTED_TO_PEERS" to "Verbindung zu Peers herstellen", + "splash.bootstrapState.service.I2P" to "I2P-Dienst", + "popup.reportError.zipLogs" to "Logdateien zippen", + "updater.furtherInfo.isLauncherUpdate" to "Dieses Update erfordert eine neue Bisq-Installation.\nWenn Sie Probleme beim Installieren von Bisq unter macOS haben, lesen Sie bitte die Anweisungen unter:", + "navigation.support" to "Support", + "updater.table.progress.completed" to "Abgeschlossen", + "updater.headline" to "Ein neues Bisq-Update ist verfügbar", + "notificationPanel.trades.button" to "Zu 'Offene Transaktionen' gehen", + "popup.headline.feedback" to "Abgeschlossen", + "tac.confirm" to "Ich habe die Nutzervereinbarung gelesen und verstanden", + "navigation.collapseIcon.tooltip" to "Menü minimieren", + "updater.shutDown" to "Ausschalten", + "popup.headline.backgroundInfo" to "Hintergrundinformation", + "splash.applicationServiceState.FAILED" to "Start fehlgeschlagen", + "navigation.userOptions" to "Benutzer", + "updater.releaseNotesHeadline" to "Versionshinweise für Version {0}:", + "splash.bootstrapState.BOOTSTRAP_TO_NETWORK" to "Verbindung zu {0}-Netzwerk herstellen", + "navigation.vertical.expandIcon.tooltip" to "Untermenü erweitern", + "topPanel.wallet.balance" to "Kontostand", + "navigation.network.info.tooltip" to "{0} Netzwerk\nAnzahl an Verbindungen: {1}\nVerbindungsziele: {2}", + "video.mp4NotSupported.warning.headline" to "Eingebettetes Video kann nicht abgespielt werden", + "navigation.wallet" to "Wallet", + "onboarding.createProfile.regenerate" to "Neues Bot-Icon generieren", + "splash.applicationServiceState.INITIALIZE_NETWORK" to "P2P-Netzwerk initialisieren", + "updater.table.progress" to "Download-Fortschritt", + "navigation.network.info.inventoryRequests.tooltip" to "Zustand der Netzwerkinformationsanfragen:\nAnzahl der ausstehenden Anfragen: {0}\nMax. Anfragen: {1}\nAlle Daten empfangen: {2}", + "onboarding.createProfile.createProfile.busy" to "Initialisiere Netzwerkknoten...", + "dashboard.second.button" to "Handelsprotokolle erkunden", + "dashboard.activeUsers" to "Veröffentlichte Benutzerprofile", + "hyperlinks.openInBrowser.attention.headline" to "Web-Link öffnen", + "dashboard.main.headline" to "Hole dir deine ersten BTC", + "popup.headline.invalid" to "Ungültige Eingabe", + "popup.reportError.gitHub" to "Fehler im Bisq GitHub-Repository melden", + "navigation.network.info.inventoryRequest.requesting" to "Anfrage für Netzwerkinformationen wird gestellt", + "popup.headline.information" to "Information", + "navigation.network.info.clearNet" to "Clearnet", + "dashboard.third.headline" to "Reputation aufbauen", + "tac.accept" to "Nutzervereinbarung akzeptieren", + "updater.furtherInfo" to "Dieses Update wird nach dem Neustart geladen und erfordert keine neue Installation.\nWeitere Details finden Sie auf der Release-Seite unter:", + "onboarding.createProfile.nym" to "Bot-ID:", + "popup.shutdown.error" to "Ein Fehler ist beim Herunterfahren aufgetreten: {0}.", + "navigation.authorizedRole" to "Berechtigte Rolle", + "onboarding.password.confirmPassword" to "Passwort bestätigen", + "hyperlinks.openInBrowser.attention" to "Möchten Sie den Link zu `{0}` in Ihrem Standard-Webbrowser öffnen?", + "onboarding.password.button.skip" to "Überspringen", + "popup.reportError.log" to "Log-Datei öffnen", + "dashboard.main.button" to "Zu Bisq Easy", + "updater.download" to "Herunterladen und überprüfen", + "dashboard.third.content" to "Du möchtest Bitcoin auf Bisq Easy verkaufen? Erfahre, wie das Reputationssystem funktioniert und warum es wichtig ist.", + "hyperlinks.openInBrowser.no" to "Nein, Link kopieren", + "splash.applicationServiceState.APP_INITIALIZED" to "Bisq gestartet", + "navigation.academy" to "Lernen", + "navigation.network.info.inventoryRequest.completed" to "Netzwerkdaten empfangen", + "onboarding.createProfile.nickName.prompt" to "Wähle deinen Spitznamen", + "popup.startup.error" to "Ein Fehler ist beim Starten von Bisq aufgetreten: {0}.", + "version.versionAndCommitHash" to "Version: v{0} / Commit-Hash: {1}", + "onboarding.bisq2.teaserHeadline1" to "Neu: Bisq Easy", + "onboarding.bisq2.teaserHeadline3" to "In Planung", + "onboarding.bisq2.teaserHeadline2" to "Lernen & Entdecken", + "dashboard.second.headline" to "Handelsprotokolle", + "splash.applicationServiceState.INITIALIZE_APP" to "Bisq starten", + "unlock.headline" to "Geben Sie das Passwort ein, um zu entsperren", + "onboarding.password.savePassword.success" to "Passwortschutz aktiviert.", + "notificationPanel.mediationCases.button" to "Zu 'Mediator' gehen", + "onboarding.bisq2.line2" to "Bekomme eine langsame Einführung in Bitcoin durch unsere Anleitungen und den Community-Chat.", + "onboarding.bisq2.line3" to "Wähle, wie du handeln möchtest: Bisq MuSig, Lightning, Submarine Swaps,...", + "splash.bootstrapState.network.CLEAR" to "Klar-Netz", + "updater.headline.isLauncherUpdate" to "Ein neuer Bisq-Installer ist verfügbar", + "notificationPanel.mediationCases.headline.multiple" to "Neue Nachrichten für Mediation", + "onboarding.bisq2.line1" to "Deine ersten Bitcoins privat zu erhalten\nwar noch nie einfacher.", + "notificationPanel.trades.headline.single" to "Neue Handelsnachricht für Handel ''{0}''", + "popup.headline.confirmation" to "Bestätigung", + "onboarding.createProfile.createProfile" to "Weiter", + "onboarding.createProfile.nym.generating" to "Beweis der Arbeit wird berechnet...", + "hyperlinks.copiedToClipboard" to "Link wurde in die Zwischenablage kopiert", + "updater.table.verified" to "Signatur überprüft", + "navigation.tradeApps" to "Handelsprotokolle", + "navigation.chat" to "Chat", + "dashboard.second.content" to "Schaue dir die Roadmap für kommende Handelsprotokolle an. Erhalte einen Überblick über die Funktionen der verschiedenen Protokolle.", + "navigation.network.info.tor" to "Tor", + "updater.table.file" to "Datei", + "onboarding.createProfile.nickName.tooLong" to "Spitzname darf nicht länger als {0} Zeichen sein", + "popup.reportError" to "Um uns zu helfen, die Software zu verbessern, bitte melde diesen Fehler, indem du ein neues Issue aufmachst unter: 'https://github.com/bisq-network/bisq2/issues'.\nDie Fehlermeldung wird in die Zwischenablage kopiert, wenn du den 'melden'-Button unten klickst.\n\nEs wäre hilfreich für die Fehlersuche, wenn du die Logdateien in deinem Bug-Report beifügst. Logdateien enthalten keine sensiblen Daten.", + "notificationPanel.trades.headline.multiple" to "Neue Handelsnachrichten", + ), + "bisq_easy" to mapOf( + "bisqEasy.tradeState.info.seller.phase2b.tradeLogMessage" to "{0} hat den Erhalt von {1} bestätigt", + "bisqEasy.tradeWizard.paymentMethods.warn.customPaymentMethodAlreadyExists" to "Eine benutzerdefinierte Zahlungsmethode mit dem Namen {0} existiert bereits.", + "bisqEasy.takeOffer.amount.seller.limitInfo.lowToleratedAmount" to "Da der Handelsbetrag unter {0} liegt, sind die Anforderungen an die Reputation gelockert.", + "bisqEasy.onboarding.watchVideo.tooltip" to "Video einbetten und ansehen", + "bisqEasy.takeOffer.paymentMethods.headline.fiat" to "Welche Zahlungsmethode möchtest du verwenden?", + "bisqEasy.walletGuide.receive" to "Empfangen", + "bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMin.overlay.info" to "Die Reputationsbewertung des Verkäufers von {0} bietet nicht genügend Sicherheit für dieses Angebot.\n\nEs wird empfohlen, niedrigere Beträge bei wiederholten Transaktionen oder mit Verkäufern mit höherer Reputation zu handeln. Wenn Sie sich entscheiden, trotz der fehlenden Reputation des Verkäufers fortzufahren, stellen Sie sicher, dass Sie sich der damit verbundenen Risiken vollständig bewusst sind. Das Sicherheitsmodell von Bisq Easy basiert auf der Reputation des Verkäufers, da der Käufer zuerst Fiat-Währung senden muss.", + "bisqEasy.offerbook.marketListCell.favourites.maxReached.popup" to "Es ist nur Platz für 5 Favoriten. Entferne einen Favoriten und versuche es erneut.", + "bisqEasy.dashboard" to "Erste Schritte", + "bisqEasy.tradeWizard.amount.seller.limitInfo.noReputationNeededForMaxOrFixedAmount.overlay.info.scoreTooLow" to "Für Beträge bis {0} sind die Anforderungen an die Reputation gelockert.\n\nIhre Reputationsbewertung von {1} bietet nicht genügend Sicherheit für Käufer. Angesichts des geringen Betrags könnten Käufer jedoch in Betracht ziehen, das Angebot anzunehmen, sobald sie über die damit verbundenen Risiken informiert werden.\n\nInformationen zur Steigerung Ihrer Reputation finden Sie unter ''Reputation/Reputation aufbauen''.", + "bisqEasy.price.feedback.sentence.veryGood" to "sehr gute", + "bisqEasy.walletGuide.createWallet" to "Neue Wallet", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.description" to "Webcam-Verbindungsstatus", + "bisqEasy.tradeWizard.review.sellerPaysMinerFeeLong" to "Mining-Gebühr zahlt Verkäufer", + "bisqEasy.tradeState.info.buyer.phase2b.headline" to "Warten auf die Bestätigung des Verkäufers über den Zahlungseingang", + "bisqEasy.tradeWizard.paymentMethods.bitcoin.subTitle.seller" to "Wähle die Abrechnungsmethoden aus, um Bitcoin zu senden", + "bisqEasy.tradeState.info.seller.phase3a.bitcoinPayment.description.LN" to "Lightning Rechnung", + "bisqEasy.tradeCompleted.body.copy.explorerLink.tooltip" to "Kopiere den Transaktionslink im Block-Explorer", + "bisqEasy.tradeWizard.amount.headline.seller" to "Wie viel möchten Sie erhalten?", + "bisqEasy.openTrades.table.direction.buyer" to "Kauf von:", + "bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.inSufficientScore" to "Mit einer Reputationsbewertung von {0} ist die Sicherheit, die Sie bieten, unzureichend für Transaktionen über {1}.\n\nSie können weiterhin solche Angebote erstellen, aber Käufer werden über potenzielle Risiken gewarnt, wenn sie versuchen, Ihr Angebot anzunehmen.\n\nInformationen zur Verbesserung Ihrer Reputation finden Sie unter ''Reputation/Reputation aufbauen''.", + "bisqEasy.tradeWizard.paymentMethods.customMethod.prompt" to "Benutzerdefinierte Zahlung", + "bisqEasy.tradeState.info.phase4.leaveChannel" to "Handel schließen", + "bisqEasy.tradeWizard.directionAndMarket.headline" to "Möchten Sie Bitcoin mit", + "bisqEasy.tradeWizard.review.chatMessage.price" to "Preis:", + "bisqEasy.tradeWizard.paymentMethods.bitcoin.subTitle.buyer" to "Wähle die Abrechnungsmethoden aus, um Bitcoin zu erhalten", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.headline.LN" to "Gib deine Lightning-Rechnung ein", + "bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage" to "{0} hat die Bitcoin-Zahlung gestartet. {1}: ''{2}''", + "bisqEasy.openTrades.table.baseAmount" to "Menge in BTC", + "bisqEasy.openTrades.tradeLogMessage.cancelled" to "{0} hat den Handel storniert", + "bisqEasy.openTrades.inMediation.info" to "Ein Mediator ist dem Handels-Chat beigetreten. Bitte benutze den Handels-Chat unten, um Unterstützung vom Mediator zu erhalten.", + "bisqEasy.onboarding.right.button" to "Angebote öffnen", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.imageRecognized" to "Webcam verbunden", + "bisqEasy.tradeState.info.buyer.phase2a.sellersAccount" to "Zahlungskonto des Verkäufers", + "bisqEasy.tradeWizard.amount.numOffers.0" to "gibt kein Angebot", + "bisqEasy.offerbook.markets.ExpandedList.Tooltip" to "Märkte minimieren", + "bisqEasy.openTrades.cancelTrade.warning.seller" to "Da der Austausch von Kontodetails begonnen hat, wird das Abbrechen des Handels ohne das Einverständnis des Käufers {0}", + "bisqEasy.tradeCompleted.body.tradePrice" to "Handelspreis", + "bisqEasy.tradeWizard.amount.numOffers.*" to "sind {0} Angebote", + "bisqEasy.tradeWizard.review.chatMessage.peerMessageTitle.buy" to "Kaufe Bitcoin von", + "bisqEasy.walletGuide.intro.content" to "Bei Bisq Easy geht der Bitcoin, den du erhältst, direkt in deine Tasche, ohne Zwischenhändler. Das ist ein großer Vorteil, bedeutet aber auch, dass du eine Wallet haben musst, die du selbst kontrollierst, um ihn zu empfangen!\n\nIn dieser kurzen Wallet-Anleitung zeigen wir dir in wenigen einfachen Schritten, wie du eine einfache Wallet erstellen kannst. Mit ihr kannst du deinen frisch gekauften Bitcoin empfangen und speichern.\n\nWenn du bereits mit On-Chain-Wallets vertraut bist und eine hast, kannst du diese Anleitung überspringen und einfach deine Wallet verwenden.", + "bisqEasy.openTrades.rejected.peer" to "Dein Handelspartner hat den Handel abgelehnt", + "bisqEasy.offerbook.offerList.table.columns.settlementMethod" to "Abrechnung", + "bisqEasy.topPane.closeFilter" to "Filter schließen", + "bisqEasy.tradeWizard.amount.numOffers.1" to "ist ein Angebot", + "bisqEasy.component.amount.baseSide.tooltip.btcAmount.selectedPrice" to "Dies ist der Bitcoin-Betrag zu deinem ausgewählten Preis.", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.subHeadline" to "Es liegen keine Angebote für Ihre Auswahlkriterien vor.", + "bisqEasy.openTrades.chat.detach" to "Abtrennen", + "bisqEasy.offerbook.offerList.table.columns.price.tooltip.marketPrice" to "Marktpreis: {0}", + "bisqEasy.openTrades.table.tradeId" to "Handels-ID", + "bisqEasy.tradeWizard.market.columns.name" to "Fiat-Währung", + "bisqEasy.offerbook.offerList.table.filters.offerDirection.sellTo" to "Verkaufen an", + "bisqEasy.tradeWizard.directionAndMarket.feedback.tradeWithoutReputation" to "Weiter ohne Reputation", + "bisqEasy.tradeWizard.paymentMethods.noneFound" to "Für den ausgewählten Markt sind keine Standardzahlungsmethoden verfügbar.\nBitte fügen Sie im untenstehenden Textfeld die benutzerdefinierte Zahlungsmethode hinzu, die Sie verwenden möchten.", + "bisqEasy.tradeWizard.amount.seller.wizard.limitInfo" to "Mit Ihrer Reputationsbewertung von {0} können Sie bis zu", + "bisqEasy.price.feedback.sentence.veryLow" to "sehr geringe", + "bisqEasy.tradeWizard.review.noTradeFeesLong" to "Es gibt keine Handelsgebühren in Bisq Easy", + "bisqEasy.tradeGuide.process.headline" to "Wie funktioniert der Handelsprozess?", + "bisqEasy.mediator" to "Mediator", + "bisqEasy.price.headline" to "Wie ist Ihr Handelspreis?", + "bisqEasy.tradeWizard.paymentMethods.warn.noFiatPaymentMethodSelected" to "Bitte wähle mindestens eine Fiat-Zahlungsmethode aus.", + "bisqEasy.tradeWizard.paymentMethods.fiat.subTitle.seller" to "Wähle die Zahlungsmethoden aus, um {0} zu erhalten", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.description.buyersPrice" to "Ihr Angebotspreis zum Kauf von Bitcoin betrug {0}.", + "bisqEasy.tradeState.info.buyer.phase2a.confirmFiatSent" to "Zahlung von {0} bestätigen", + "bisqEasy.component.amount.minRangeValue" to "Min {0}", + "bisqEasy.offerbook.chatMessage.deleteMessage.confirmation" to "Bist du sicher, dass du diese Nachricht löschen möchtest?", + "bisqEasy.tradeCompleted.body.copy.txId.tooltip" to "Transaktions-ID in die Zwischenablage kopieren", + "bisqEasy.tradeWizard.amount.headline.buyer" to "Wie viel möchten Sie ausgeben?", + "bisqEasy.openTrades.closeTrade" to "Handel schließen", + "bisqEasy.openTrades.table.settlementMethod.tooltip" to "Bitcoin-Abrechnungsmethode: {0}", + "bisqEasy.openTrades.csv.quoteAmount" to "Betrag in {0}", + "bisqEasy.tradeWizard.review.createOfferSuccess.headline" to "Angebot erfolgreich veröffentlicht", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.all" to "Alle", + "bisqEasy.tradeState.info.buyer.phase1a.tradeLogMessage.MAIN_CHAIN" to "{0} hat die Bitcoin-Adresse ''{1}'' gesendet", + "bisqEasy.tradeWizard.directionAndMarket.feedback.subTitle1" to "Sie haben noch keine Reputation aufgebaut. Für Bitcoin-Verkäufer ist der Aufbau von Reputation entscheidend, da Käufer im Handelsprozess zuerst Fiat-Währung an den Verkäufer Senden müssen und auf die Integrität des Verkäufers angewiesen sind.\n\nDieser Prozess zum Aufbau von Reputation eignet sich besser für erfahrene Bisq-Nutzer, und Sie finden detaillierte Informationen dazu im Abschnitt 'Reputation'.", + "bisqEasy.tradeWizard.directionAndMarket.feedback.subTitle2" to "Obwohl es Verkäufern möglich ist, ohne (oder mit unzureichender) Reputation für relativ niedrige Beträge bis zu {0} zu handeln, ist die Wahrscheinlichkeit, einen Handelspartner zu finden, erheblich verringert. Das liegt daran, dass Käufer dazu neigen, den Kontakt zu Verkäufern zu vermeiden, die keine Reputation haben, aufgrund von Sicherheitsrisiken.", + "bisqEasy.tradeWizard.review.detailsHeadline.maker" to "Angebotsdetails", + "bisqEasy.walletGuide.download.headline" to "Deine Wallet herunterladen", + "bisqEasy.tradeWizard.selectOffer.headline.seller" to "Verkaufen Sie Bitcoin für {0}", + "bisqEasy.offerbook.marketListCell.numOffers.one" to "{0} Angebot", + "bisqEasy.tradeWizard.amount.seller.wizard.limitInfo.overlay.info" to "Mit einer Reputationsbewertung von {0} können Sie bis zu {1} handeln.\n\nInformationen, wie Sie Ihre Reputation erhöhen können, finden Sie unter ''Reputation/Reputation aufbauen''.", + "bisqEasy.tradeState.info.seller.phase3b.balance.prompt" to "Warten auf Blockchain-Daten...", + "bisqEasy.takeOffer.amount.buyer.limitInfo.minAmountCovered" to "Die Reputationsbewertung des Verkäufers von {0} bietet Sicherheit bis zu", + "bisqEasy.tradeGuide.welcome" to "Übersicht", + "bisqEasy.offerbook.markets.CollapsedList.Tooltip" to "Märkte erweitern", + "bisqEasy.tradeGuide.welcome.headline" to "Wie man auf Bisq Easy handelt", + "bisqEasy.takeOffer.amount.description" to "Das Angebot ermöglicht es Ihnen, eine Betrag zwischen {0} und {1} auszuwählen", + "bisqEasy.onboarding.right.headline" to "Für erfahrene Händler", + "bisqEasy.tradeState.info.buyer.phase3b.confirmButton.ln" to "Empfang bestätigen", + "bisqEasy.walletGuide.download" to "Herunterladen", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.description.sellersPrice" to "Der Verkäufer bietet Ihnen jedoch diesen Preis an: {0}.", + "bisqEasy.offerbook.offerList.table.filters.paymentMethods.customPayments" to "Benutzerdefinierte Zahlungen", + "bisqEasy.offerbook.offerList.table.columns.paymentMethod" to "Zahlung", + "bisqEasy.takeOffer.progress.method" to "Zahlungsmethode", + "bisqEasy.tradeWizard.review.direction" to "Bitcoin {0}", + "bisqEasy.offerDetails.paymentMethods" to "Unterstützte Zahlungsmethoden", + "bisqEasy.openTrades.closeTrade.warning.interrupted" to "Bevor du den Handel schließt, kannst du die Handels-Daten als CSV-Datei sichern.\n\nSobald der Handel geschlossen ist, sind alle mit dem Handel verbundenen Daten gelöscht, und du kannst nicht mehr mit deinem Handelspartner im Handels-Chat kommunizieren.\n\nMöchtest du den Handel jetzt schließen?", + "bisqEasy.tradeState.reportToMediator" to "An Mediator melden", + "bisqEasy.openTrades.table.price" to "Preis", + "bisqEasy.openTrades.chat.window.title" to "{0} - Chat mit {1} / Handels-ID: {2}", + "bisqEasy.tradeCompleted.header.paymentMethod" to "Zahlungsmethode", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.nameZA" to "Name Z-A", + "bisqEasy.tradeWizard.progress.review" to "Überprüfen", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.noReputationNeededForMaxOrFixedAmount" to "Verkäufer ohne Reputation können Angebote bis zu {0} annehmen.", + "bisqEasy.tradeWizard.review.createOfferSuccess.subTitle" to "Ihr Angebot ist jetzt im Angebotsbuch gelistet. Wenn ein Bisq-Nutzer Ihr Angebot annimmt, finden Sie einen neuen Handel im Abschnitt 'Offene Transaktionen'.\n\nÜberprüfen Sie die Bisq-Anwendung regelmäßig auf neue Nachrichten von Ihrem Handelspartner.", + "bisqEasy.openTrades.failed.popup" to "Der Handel ist aufgrund eines Fehlers fehlgeschlagen.\nFehlermeldung: {0}\n\nStack-Trace: {1}", + "bisqEasy.tradeWizard.paymentMethods.fiat.subTitle.buyer" to "Wähle die Zahlungsmethoden aus, um {0} zu überweisen", + "bisqEasy.tradeWizard.market.subTitle" to "Wählen Sie Ihre Handelswährung", + "bisqEasy.tradeWizard.review.sellerPaysMinerFee" to "Mining-Gebühr zahlt Verkäufer", + "bisqEasy.openTrades.chat.peerLeft.subHeadline" to "Falls der Handel nicht abgeschlossen ist und du Unterstützung benötigst, kontaktiere den Mediator oder besuche den Support-Chat.", + "bisqEasy.tradeState.info.seller.phase3a.qrCodeDisplay.openWindow" to "Größeres Fenster öffnen", + "bisqEasy.offerDetails.price" to "{0} Angebotspreis", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.withOffers" to "Mit Angeboten", + "bisqEasy.onboarding.left.button" to "Assistent starten", + "bisqEasy.takeOffer.review.takeOffer" to "Bestätigen Sie das Angebot", + "bisqEasy.tradeWizard.amount.limitInfo.overlay.close" to "Überlagerung schließen", + "bisqEasy.tradeCompleted.title" to "Handel erfolgreich abgeschlossen", + "bisqEasy.tradeState.info.buyer.phase3b.headline.MAIN_CHAIN" to "Der Verkäufer hat die Bitcoin-Zahlung gestartet", + "bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.sufficientScore" to "Mit einer Reputationsbewertung von {0} bieten Sie Sicherheit für Transaktionen bis zu {1}.", + "bisqEasy.tradeGuide.rules" to "Handelsregeln", + "bisqEasy.tradeState.info.phase3b.txId.tooltip" to "Transaktion im Block Explorer öffnen", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.prompt.LN" to "Gib deine Lightning-Rechnung ein", + "bisqEasy.openTrades.cancelTrade.warning.part2" to "Die Zustimmung könnte als Verstoß gegen die Handelsregeln angesehen werden und kann dazu führen, dass dein Profil vom Netzwerk ausgeschlossen wird.\n\nWenn der Partner mehr als 24 Stunden lang nicht reagiert hat und keine Zahlung geleistet wurde, kannst du den Handel ohne Konsequenzen ablehnen. Die Haftung liegt bei der nicht reagierenden Partei.\n\nWenn du Fragen hast oder auf Probleme stößt, zögere bitte nicht, deinen Handelspartner zu kontaktieren oder Hilfe im 'Support-Bereich' zu suchen.\n\nWenn du glaubst, dass dein Handelspartner die Handelsregeln verletzt hat, hast du die Möglichkeit, einen Mediationsantrag zu stellen. Ein Mediator wird dem Handelschat beitreten und daran arbeiten, eine kooperative Lösung zu finden.\n\nBist du sicher, dass du den Handel abbrechen möchtest?", + "bisqEasy.tradeState.header.pay" to "Zu zahlender Betrag", + "bisqEasy.tradeState.header.direction" to "Ich möchte", + "bisqEasy.tradeState.info.buyer.phase1b.info" to "Sie können den untenstehenden Chat nutzen, um mit dem Verkäufer in Kontakt zu treten.", + "bisqEasy.openTrades.welcome.line1" to "Informieren Sie sich über das Sicherheitsmodell von Bisq Easy", + "bisqEasy.tradeState.info.buyer.phase3b.tradeLogMessage.ln" to "{0} hat bestätigt, die Bitcoin-Zahlung erhalten zu haben", + "bisqEasy.tradeWizard.amount.description.minAmount" to "Legen Sie den minimalen Wert für den Mengenbereich fest", + "bisqEasy.onboarding.openTradeGuide" to "Handelsleitfaden lesen", + "bisqEasy.openTrades.welcome.line2" to "Erfahren Sie, wie der Handelsprozess funktioniert", + "bisqEasy.price.warn.invalidPrice.outOfRange" to "Der eingegebene Preis liegt außerhalb des erlaubten Bereichs von -10% bis 50%.", + "bisqEasy.openTrades.welcome.line3" to "Machen Sie sich mit den Handelsregeln vertraut", + "bisqEasy.tradeState.bitcoinPaymentData.LN" to "Lightning-Rechnung", + "bisqEasy.tradeState.info.seller.phase1.note" to "Hinweis: Sie können den untenstehenden Chat nutzen, um mit dem Käufer in Kontakt zu treten, bevor Sie Ihre Kontodaten preisgeben.", + "bisqEasy.tradeWizard.directionAndMarket.buy" to "Bitcoin kaufen", + "bisqEasy.openTrades.confirmCloseTrade" to "Handelsschluss bestätigen", + "bisqEasy.tradeWizard.amount.removeMinAmountOption" to "Fixe Mengenwert verwenden", + "bisqEasy.offerDetails.id" to "Angebots-ID", + "bisqEasy.tradeWizard.progress.price" to "Preis", + "bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo.overlay.info" to "Aufgrund des niedrigen Handelsbetrags von {0} sind die Anforderungen an die Reputation gelockert.\nFür Beträge bis zu {1} können Verkäufer mit unzureichender oder keiner Reputation Ihr Angebot annehmen.\n\nVerkäufer, die Ihr Angebot mit dem maximalen Betrag von {2} annehmen möchten, müssen eine Reputationsbewertung von mindestens {3} haben.\nDurch die Reduzierung des maximalen Handelsbetrags machen Sie Ihr Angebot für mehr Verkäufer zugänglich.", + "bisqEasy.tradeState.info.buyer.phase1a.send" to "An Verkäufer senden", + "bisqEasy.takeOffer.review.noTradeFeesLong" to "Es gibt keine Handelsgebühren in Bisq Easy", + "bisqEasy.onboarding.watchVideo" to "Video ansehen", + "bisqEasy.walletGuide.receive.content" to "Um Ihre Bitcoin zu empfangen, benötigst du eine Adresse von deiner Wallet. Um diese zu erhalten, klicke auf deine neu erstellte Wallet und dann auf die Schaltfläche 'Empfangen' unten auf dem Bildschirm.\n\nBluewallet zeigt dir eine unbenutzte Adresse als QR-Code und als Text an. Diese Adresse musst du deinem Partner bei Bisq Easy geben, damit er dir den Bitcoin schicken kann, den du kaufst. Du kannst die Adresse auf deinen PC übertragen, indem du den QR-Code mit einer Kamera scannst, indem du die Adresse per E-Mail oder Chat-Nachricht sendest oder sie einfach eingibst.\n\nSobald du den Handel abgeschlossen hast, erkennt Bluewallet den eingehenden Bitcoin und aktualisiert dein Guthaben mit den neuen Mitteln. Für jede neue Transaktion erhältst du eine neue Adresse, um deine Privatsphäre zu schützen.\n\nDas sind die Grundlagen, die du wissen musst, um damit zu beginnen, Bitcoin in deiner eigenen Wallet zu empfangen. Wenn du mehr über Bluewallet erfahren möchtest, empfehlen wir dir, die unten aufgeführten Videos anzusehen.", + "bisqEasy.takeOffer.progress.review" to "Handel überprüfen", + "bisqEasy.tradeCompleted.header.myDirection.buyer" to "Ich habe gekauft", + "bisqEasy.tradeState.info.seller.phase3a.qrCodeDisplay.window.title" to "QR-Code für den Handel ''{0}'' scannen", + "bisqEasy.tradeWizard.amount.seller.limitInfo.scoreTooLow" to "Mit Ihrer Reputationsbewertung von {0} sollte Ihr Handelsbetrag nicht überschreiten", + "bisqEasy.openTrades.table.paymentMethod.tooltip" to "Fiat-Zahlungsmethode: {0}", + "bisqEasy.tradeCompleted.header.myOutcome.buyer" to "Ich habe bezahlt", + "bisqEasy.openTrades.chat.peer.description" to "Chat-Partner", + "bisqEasy.takeOffer.progress.amount" to "Handelsbetrag", + "bisqEasy.price.warn.invalidPrice.numberFormatException" to "Der eingegebene Preis ist keine gültige Zahl.", + "bisqEasy.mediation.request.confirm.msg" to "Wenn du Probleme hast, die du nicht mit deinem Handelspartner lösen kannst, kannst du die Hilfe eines Mediators anfordern.\n\nBitte fordere keine Mediation für allgemeine Fragen an. Im Support-Bereich gibt es Chaträume, in denen du allgemeine Ratschläge und Hilfe erhalten kannst.", + "bisqEasy.tradeGuide.rules.headline" to "Was muss ich über die Handelsregeln wissen?", + "bisqEasy.tradeState.info.buyer.phase3b.balance.prompt" to "Warten auf Blockchain-Daten...", + "bisqEasy.offerbook.markets" to "Märkte", + "bisqEasy.privateChats.leave" to "Chat verlassen", + "bisqEasy.tradeWizard.review.priceDetails" to "Schwankt mit dem Marktpreis", + "bisqEasy.openTrades.table.headline" to "Meine offenen Transaktionen", + "bisqEasy.takeOffer.review.method.bitcoin" to "Bitcoin-Zahlungsmethode", + "bisqEasy.tradeWizard.amount.description.fixAmount" to "Legen Sie die Menge fest, die Sie handeln möchten", + "bisqEasy.offerDetails.buy" to "Angebot zum Kauf von Bitcoin", + "bisqEasy.openTrades.chat.detach.tooltip" to "Chat in neuem Fenster öffnen", + "bisqEasy.tradeState.info.buyer.phase3a.headline" to "Warten auf die Bitcoin-Zahlung des Verkäufers", + "bisqEasy.openTrades" to "Meine offenen Transaktionen", + "bisqEasy.tradeState.info.buyer.phase3b.info.MAIN_CHAIN" to "Sobald die Bitcoin-Transaktion im Bitcoin-Netzwerk sichtbar ist, werden Sie die Zahlung sehen. Nach 1 Blockchain-Bestätigung kann die Zahlung als abgeschlossen betrachtet werden.", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.browseOfferbook.info" to "Schließen Sie den Assistenten und durchsuchen Sie das Angebotsbuch", + "bisqEasy.tradeGuide.rules.confirm" to "Ich habe die Regeln gelesen und verstanden", + "bisqEasy.walletGuide.intro" to "Einführung", + "bisqEasy.tradeState.info.phase3b.balance.help.notConfirmed" to "Transaktion im Mempool gesehen, aber noch nicht bestätigt", + "bisqEasy.mediation.request.feedback.noMediatorAvailable" to "Es ist kein Mediator verfügbar. Bitte nutze stattdessen den Support-Chat.", + "bisqEasy.price.feedback.learnWhySection.description.intro" to "Der Grund dafür ist, dass der Verkäufer speziell folgende zusätzliche Ausgaben decken muss:", + "bisqEasy.offerbook.marketListCell.favourites.tooltip.addToFavourites" to "Zu Favoriten hinzufügen", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.tooltip" to "Märkte sortieren und filtern", + "bisqEasy.openTrades.rejectTrade" to "Handel ablehnen", + "bisqEasy.openTrades.table.direction.seller" to "Verkauf an:", + "bisqEasy.offerDetails.sell" to "Angebot zum Verkauf von Bitcoin", + "bisqEasy.tradeWizard.amount.seller.limitInfo.sufficientScore" to "Ihre Reputationsbewertung von {0} bietet Sicherheit für Angebote bis zu", + "bisqEasy.tradeState.info.phase3b.balance.invalid.multipleOutputsForAddress" to "Mehrere passende Ausgaben in der Transaktion gefunden", + "bisqEasy.onboarding.top.headline" to "Bisq Easy in 3 Minuten", + "bisqEasy.tradeWizard.amount.buyer.numSellers.1" to "ist ein Verkäufer", + "bisqEasy.tradeGuide.tabs.headline" to "Handelsanleitung", + "bisqEasy.tradeWizard.amount.seller.limitInfo.inSufficientScore" to "Die Sicherheit, die durch Ihre Reputationsbewertung von {0} bereitgestellt wird, ist unzureichend für Angebote über", + "bisqEasy.openTrades.exportTrade" to "Handels-Daten exportieren", + "bisqEasy.tradeWizard.review.table.reputation" to "Reputation", + "bisqEasy.tradeWizard.amount.buyer.numSellers.0" to "ist kein Verkäufer", + "bisqEasy.tradeWizard.progress.directionAndMarket" to "Angebotsart", + "bisqEasy.offerDetails.direction" to "Angebotsart", + "bisqEasy.tradeWizard.amount.buyer.numSellers.*" to "sind {0} Verkäufer", + "bisqEasy.offerDetails.date" to "Erstellungsdatum", + "bisqEasy.offerbook.offerList.table.filters.paymentMethods.title.all" to "Alle", + "bisqEasy.takeOffer.noMediatorAvailable.warning" to "Es steht kein Mediator zur Verfügung. Sie müssen stattdessen den Support-Chat verwenden.", + "bisqEasy.offerbook.offerList.table.columns.price" to "Preis", + "bisqEasy.offerbook.offerList.table.filters.offerDirection.buyFrom" to "Kaufen von", + "bisqEasy.component.amount.baseSide.tooltip.buyer.btcAmount" to "Die erwartete Bitcoin-Menge, die Sie erhalten.", + "bisqEasy.takeOffer.bitcoinPaymentData.warning.LN" to "Die Lightning-Rechnung, die du eingegeben hast, scheint ungültig zu sein.\n\nWenn du sicher bist, dass die Rechnung gültig ist, kannst du diese Warnung ignorieren und fortfahren.", + "bisqEasy.tradeWizard.review.takeOfferSuccessButton" to "Handel in 'Offene Transaktionen' anzeigen", + "bisqEasy.tradeGuide.process.steps" to "1. Der Verkäufer und der Käufer tauschen Kontodaten aus. Der Verkäufer schickt seine Zahlungsdaten (z.B. Bankkontonummer) an den Käufer, und der Käufer sendet seine Bitcoin-Adresse (oder Lightning-Rechnung) an den Verkäufer.\n2. Danach initiiert der Käufer die Fiat-Zahlung an das Konto des Verkäufers. Sobald der Verkäufer die Zahlung erhalten hat, bestätigt er den Empfang.\n3. Der Verkäufer sendet dann die Bitcoin an die Adresse des Käufers und teilt die Transaktions-ID (oder optional das Preimage, falls Lightning verwendet wird) mit. Die Benutzeroberfläche zeigt den Bestätigungsstatus an. Sobald alles bestätigt ist, ist der Handel erfolgreich abgeschlossen.", + "bisqEasy.openTrades.rejectTrade.warning" to "Da der Austausch von Kontodetails noch nicht begonnen hat, stellt das Ablehnen des Handels keinen Verstoß gegen die Handelsregeln dar.\n\nWenn du Fragen hast oder Probleme auftreten, zögere nicht, deinen Handelspartner zu kontaktieren oder Hilfe im 'Support-Bereich' zu suchen.\n\nBist du sicher, dass du den Handel ablehnen möchtest?", + "bisqEasy.tradeWizard.price.subtitle" to "Dies kann als Float-Preis definiert werden, der mit dem Marktpreis schwankt, oder als fester Preis.", + "bisqEasy.openTrades.tradeLogMessage.rejected" to "{0} hat den Handel abgelehnt", + "bisqEasy.tradeState.header.tradeId" to "Handels-ID", + "bisqEasy.topPane.filter" to "Angebotsbuch filtern", + "bisqEasy.tradeWizard.review.priceDetails.fix" to "Fixer Preis. {0} {1} Marktpreis von {2}", + "bisqEasy.tradeWizard.amount.description.maxAmount" to "Legen Sie den maximalen Wert für den Mengenbereich fest", + "bisqEasy.tradeState.info.buyer.phase2b.info" to "Sobald der Verkäufer deine Zahlung von {0} erhalten hat, wird er die Bitcoin-Zahlung an deine angegebene {1} starten.", + "bisqEasy.tradeState.info.seller.phase3a.sendBtc" to "Senden Sie {0} an den Käufer", + "bisqEasy.onboarding.left.headline" to "Für Anfänger", + "bisqEasy.takeOffer.paymentMethods.headline.bitcoin" to "Welche Abrechnungsmethode möchtest du verwenden?", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.mostOffers" to "Meiste Angebote", + "bisqEasy.tradeState.header.send" to "Zu sendender Betrag", + "bisqEasy.tradeWizard.review.noTradeFees" to "Keine Handelsgebühren", + "bisqEasy.tradeWizard.directionAndMarket.sell" to "Bitcoin verkaufen", + "bisqEasy.tradeState.info.phase3b.balance.help.confirmed" to "Transaktion ist bestätigt", + "bisqEasy.tradeWizard.directionAndMarket.feedback.backToBuy" to "Zurück", + "bisqEasy.tradeWizard.review.price" to "{0} <{1} style=trade-wizard-review-code>", + "bisqEasy.openTrades.table.makerTakerRole.maker" to "Ersteller", + "bisqEasy.tradeWizard.review.priceDetails.fix.atMarket" to "Fixer Preis. Entspricht dem Marktpreis von {0}", + "bisqEasy.tradeCompleted.tableTitle" to "Zusammenfassung", + "bisqEasy.tradeWizard.market.headline.seller" to "In welcher Währung möchten Sie bezahlt werden?", + "bisqEasy.tradeCompleted.body.date" to "Datum", + "bisqEasy.tradeWizard.review.paymentMethodDescriptions.btc.taker" to "Bitcoin-Zahlungsmethode auswählen", + "bisqEasy.tradeState.info.seller.phase3b.confirmButton.ln" to "Handel abschließen", + "bisqEasy.tradeState.info.seller.phase2b.headline" to "Überprüfen Sie, ob Sie {0} erhalten haben", + "bisqEasy.price.feedback.learnWhySection.description.exposition" to "- Aufbau des Rufs, was kostenintensiv sein kann.- Der Verkäufer muss die Miner-Gebühren bezahlen.- Der Verkäufer ist der hilfreiche Leitfaden im Handelsprozess und investiert daher mehr Zeit.", + "bisqEasy.takeOffer.amount.buyer.limitInfoAmount" to "{0}.", + "bisqEasy.tradeState.info.buyer.phase2a.headline" to "Senden Sie {0} an das Zahlungskonto des Verkäufers", + "bisqEasy.price.feedback.learnWhySection.title" to "Warum sollte ich dem Verkäufer einen höheren Preis zahlen?", + "bisqEasy.offerbook.offerList.table.columns.price.tooltip.floatPrice" to "Prozentualer Preis {0}\nMit aktuellem Marktpreis: {1}", + "bisqEasy.takeOffer.review.price.price" to "Handelspreis", + "bisqEasy.tradeState.paymentProof.LN" to "Preimage", + "bisqEasy.openTrades.table.settlementMethod" to "Abrechnung", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.description.question" to "Möchten Sie diesen neuen Preis akzeptieren oder den Handel ablehnen/abbrechen*?", + "bisqEasy.takeOffer.tradeLogMessage" to "{0} hat eine Nachricht gesendet, um das Angebot von {1} anzunehmen.", + "bisqEasy.openTrades.cancelled.self" to "Du hast den Handel abgebrochen", + "bisqEasy.component.amount.baseSide.tooltip.btcAmount.marketPrice" to "Dies ist der Bitcoin-Betrag zum aktuellen Marktpreis.", + "bisqEasy.tradeGuide.security" to "Sicherheit", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.description.disclaimer" to "(*Beachte, dass in diesem speziellen Fall das Abbrechen des Handels NICHT als Verstoß gegen die Handelsregeln angesehen wird.)", + "bisqEasy.tradeState.info.buyer.phase3b.headline.ln" to "Der Verkäufer hat die Bitcoin über das Lightning-Netzwerk geschickt", + "bisqEasy.mediation.request.feedback.headline" to "Mediation angefordert", + "bisqEasy.tradeState.requestMediation" to "Mediation anfordern", + "bisqEasy.price.warn.invalidPrice.exception" to "Der eingegebene Preis ist ungültig.\n\nFehlermeldung: {0}", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.goBack.info" to "Kehren Sie zu den vorherigen Auswahloptionen zurück und ändern Sie die Auswahl", + "bisqEasy.offerbook.marketListCell.numOffers.tooltip.one" to "{0} Angebot ist im {1}-Markt verfügbar", + "bisqEasy.tradeGuide.process.content" to "Wenn du ein Angebot annimmst, hast du die Flexibilität, aus den verfügbaren Optionen zu wählen, die das Angebot bietet. Bevor du den Handel startest, wird dir eine Zusammenfassung zur Überprüfung angezeigt.\nSobald der Handel eingeleitet ist, führt dich die Benutzeroberfläche durch den Handelsprozess, der aus den folgenden Schritten besteht:", + "bisqEasy.openTrades.csv.txIdOrPreimage" to "Transaktions-ID/Preimage", + "bisqEasy.tradeState.info.buyer.phase1a.walletHelpButton" to "Wallet-Leitfaden öffnen", + "bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo" to "Für den max. Betrag von {0} gibt es {1} mit ausreichender Reputation, um Ihr Angebot anzunehmen.", + "bisqEasy.tradeWizard.review.chatMessage.floatPrice.above" to "{0} über dem Marktpreis", + "bisqEasy.tradeWizard.selectOffer.headline.buyer" to "Kaufen Sie Bitcoin für {0}", + "bisqEasy.tradeWizard.review.chatMessage.fixPrice" to "{0}", + "bisqEasy.tradeState.info.phase3b.button.next" to "Weiter", + "bisqEasy.tradeWizard.review.toReceive" to "Zu erhaltender Betrag", + "bisqEasy.tradeState.info.seller.phase1.tradeLogMessage" to "{0} hat die Kontodaten gesendet:\n{1}", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.noReputationNeededForMaxOrFixedAmount.info" to "Aufgrund des niedrigen Betrags von {0} sind die Anforderungen an die Reputation gelockert.\nFür Beträge bis zu {1} können Verkäufer mit unzureichender oder keiner Reputation das Angebot annehmen.\n\nStellen Sie sicher, dass Sie die Risiken beim Handel mit einem Verkäufer ohne oder mit unzureichender Reputation vollständig verstehen. Wenn Sie sich diesem Risiko nicht aussetzen möchten, wählen Sie einen Betrag über {2}.", + "bisqEasy.tradeCompleted.body.tradeFee" to "Handelsgebühr", + "bisqEasy.tradeWizard.review.nextButton.takeOffer" to "Handel bestätigen", + "bisqEasy.openTrades.chat.peerLeft.headline" to "{0} hat den Handel verlassen", + "bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.headline" to "Nachricht zum Akzeptieren des Angebots wird gesendet", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.headline.MAIN_CHAIN" to "Geben Sie Ihre Bitcoin-Adresse ein", + "bisqEasy.offerbook.marketListCell.numOffers.tooltip.many" to "{0} Angebote sind im {1}-Markt verfügbar", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.prompt.LN" to "Trage das Preimage ein, falls verf�gbar", + "bisqEasy.mediation.requester.tradeLogMessage" to "{0} hat Mediation angefordert", + "bisqEasy.tradeWizard.review.table.baseAmount.buyer" to "Sie erhalten", + "bisqEasy.tradeWizard.review.table.price" to "Preis in {0}", + "bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.paymentProof.MAIN_CHAIN" to "Transaktions-ID", + "bisqEasy.component.amount.baseSide.tooltip.bestOfferPrice" to "Berechnet mit dem besten Preis aus passenden Angeboten: {0}", + "bisqEasy.tradeWizard.review.headline.maker" to "Angebot überprüfen", + "bisqEasy.openTrades.reportToMediator" to "An Mediator melden", + "bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.info" to "Schließe das Fenster oder die Anwendung nicht, bevor du die Bestätigung siehst, dass die Anfrage zum Akzeptieren des Angebots erfolgreich gesendet wurde.", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.sortTitle" to "Sortieren nach:", + "bisqEasy.tradeWizard.review.priceDescription.taker" to "Handelspreis", + "bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.subTitle" to "Das Senden der Nachricht zum Akzeptieren des Angebots kann bis zu 2 Minuten dauern", + "bisqEasy.walletGuide.receive.headline" to "Bitcoin in deiner Wallet empfangen", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.headline" to "Keine passenden Angebote gefunden", + "bisqEasy.walletGuide.tabs.headline" to "Wallet-Anleitung", + "bisqEasy.offerbook.offerList.table.columns.fiatAmount" to "{0} Betrag", + "bisqEasy.takeOffer.makerBanned.warning" to "Der Anbieter dieses Angebots ist gesperrt. Bitte versuchen Sie, ein anderes Angebot zu verwenden.", + "bisqEasy.price.feedback.learnWhySection.closeButton" to "Zurück zum Handelspreis", + "bisqEasy.tradeWizard.review.feeDescription" to "Gebühren", + "bisqEasy.takeOffer.amount.buyer.limitInfo.minAmountCovered.overlay.info" to "Die Reputationsbewertung des Verkäufers von {0} bietet Sicherheit für bis zu {1}.\n\nWenn Sie einen höheren Betrag wählen, stellen Sie sicher, dass Sie sich der damit verbundenen Risiken vollständig bewusst sind. Das Sicherheitsmodell von Bisq Easy basiert auf der Reputation des Verkäufers, da der Käufer zuerst Fiat-Währung Senden muss.", + "bisqEasy.tradeWizard.review.paymentMethodDescriptions.btc.maker" to "Bitcoin-Zahlungsmethoden", + "bisqEasy.tradeWizard.review.headline.taker" to "Handel überprüfen", + "bisqEasy.takeOffer.review.takeOfferSuccess.headline" to "Sie haben das Angebot erfolgreich angenommen", + "bisqEasy.openTrades.failedAtPeer.popup" to "Der Handel des Partners ist aufgrund eines Fehlers fehlgeschlagen.\nFehler verursacht durch: {0}\n\nStack-Trace: {1}", + "bisqEasy.tradeCompleted.header.myDirection.seller" to "Ich habe verkauft", + "bisqEasy.tradeState.info.buyer.phase1b.headline" to "Warten auf die Kontodaten des Verkäufers", + "bisqEasy.price.feedback.sentence.some" to "gewisse", + "bisqEasy.component.amount.baseSide.tooltip.seller.btcAmount" to "Die erwartete Bitcoin-Menge, die Sie ausgeben.", + "bisqEasy.offerDetails.headline" to "Angebotsdetails", + "bisqEasy.openTrades.cancelTrade" to "Handel abbrechen", + "bisqEasy.tradeState.info.phase3b.button.next.noOutputForAddress" to "Für die Adresse ''{0}'' in der Transaktion ''{1}'' wurde keine passende Ausgabe gefunden.\n\nKonntest du dieses Problem mit deinem Handelspartner klären?\nWenn nicht, kannst du in Betracht ziehen, Mediation anzufordern, um das Problem zu lösen.", + "bisqEasy.price.tradePrice.title" to "Fester Preis", + "bisqEasy.openTrades.table.mediator" to "Mediator", + "bisqEasy.offerDetails.makersTradeTerms" to "Handelsbedingungen des Anbieters", + "bisqEasy.openTrades.chat.attach.tooltip" to "Chat zurück zum Hauptfenster wiederherstellen", + "bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMax" to "Die Reputationsbewertung des Verkäufers beträgt nur {0}. Es wird nicht empfohlen, mehr als", + "bisqEasy.privateChats.table.myUser" to "Mein Profil", + "bisqEasy.tradeState.info.phase4.exportTrade" to "Handelsdaten exportieren", + "bisqEasy.takeOffer.amount.buyer.limitInfo.minAmountNotCovered" to "Die Reputationsbewertung des Verkäufers von {0} bietet nicht genügend Sicherheit für dieses Angebot.", + "bisqEasy.tradeWizard.selectOffer.subHeadline" to "Es wird empfohlen, mit Benutzern mit hoher Reputation zu handeln.", + "bisqEasy.topPane.filter.offersOnly" to "Nur Angebote im Bisq Easy-Angebotsbuch anzeigen", + "bisqEasy.tradeWizard.review.nextButton.createOffer" to "Angebot erstellen", + "bisqEasy.offerbook.offerList.table.filters.paymentMethods.clearFilters" to "Filter zurücksetzen", + "bisqEasy.openTrades.noTrades" to "Du hast keine offenen Transaktionen", + "bisqEasy.tradeState.info.seller.phase2b.info" to "Überprüfe dein Bankkonto oder die App deines Zahlungsanbieters, um den Eingang der Zahlung des Käufers zu bestätigen.", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.prompt.MAIN_CHAIN" to "Geben Sie Ihre Bitcoin-Adresse ein", + "bisqEasy.tradeWizard.amount.seller.limitInfoAmount" to "{0}.", + "bisqEasy.openTrades.welcome.headline" to "Willkommen bei Ihrem ersten Bisq Easy-Handel!", + "bisqEasy.takeOffer.amount.description.limitedByTakersReputation" to "Ihre Reputationsbewertung von {0} ermöglicht es Ihnen, einen Handelsbetrag\nzwischen {1} und {2} auszuwählen", + "bisqEasy.tradeState.info.seller.phase1.buttonText" to "Kontodaten senden", + "bisqEasy.tradeState.info.phase3b.txId.failed" to "Transaktionssuche zu ''{0}'' fehlgeschlagen mit {1}: ''{2}''", + "bisqEasy.component.amount.baseSide.tooltip.taker.offerPrice" to "Berechnet mit dem Angebotspreis: {0}", + "bisqEasy.takeOffer.review.takeOfferSuccessButton" to "Handel in 'Offene Transaktionen' anzeigen", + "bisqEasy.walletGuide.createWallet.headline" to "Deine neue Wallet erstellen", + "bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.noProofProvided" to "{0} hat die Bitcoin-Zahlung gestartet.", + "bisqEasy.walletGuide.intro.headline" to "Bereite dich darauf vor, deinen ersten Bitcoin zu empfangen", + "bisqEasy.openTrades.rejected.self" to "Du hast den Handel abgelehnt", + "bisqEasy.takeOffer.amount.headline.buyer" to "Wie viel möchten Sie ausgeben?", + "bisqEasy.tradeState.header.receive" to "Zu erhaltender Betrag", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.title" to "Achtung Preisänderung!", + "bisqEasy.offerDetails.priceValue" to "{0} (Aufschlag: {1})", + "bisqEasy.tradeWizard.review.chatMessage.floatPrice.below" to "{0} unter dem Marktpreis", + "bisqEasy.tradeState.info.seller.phase1.headline" to "Senden Sie Ihre Kontodaten an den Käufer", + "bisqEasy.tradeWizard.market.columns.numPeers" to "Online-Teilnehmer", + "bisqEasy.tradeState.info.phase3b.button.next.amountNotMatching.resolved" to "Ich habe es gelöst", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.favourites" to "Nur Favoriten", + "bisqEasy.openTrades.table.me" to "Ich", + "bisqEasy.tradeCompleted.header.tradeId" to "Handels-ID", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.description.MAIN_CHAIN" to "Bitcoin-Adresse", + "bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.linkToWikiText" to "Für weitere Informationen zum Reputationssystem besuchen Sie das Bisq-Wiki unter:", + "bisqEasy.openTrades.table.tradePeer" to "Handelspartner", + "bisqEasy.price.feedback.learnWhySection.openButton" to "Wieso?", + "bisqEasy.mediation.request.confirm.headline" to "Mediation anfordern", + "bisqEasy.tradeWizard.review.paymentMethodDescription.btc" to "Bitcoin-Zahlungsmethode", + "bisqEasy.tradeWizard.paymentMethods.warn.tooLong" to "Der Name Ihrer benutzerdefinierten Zahlungsmethode darf nicht länger als 20 Zeichen sein.", + "bisqEasy.walletGuide.download.link" to "Klicke hier, um die Seite von Bluewallet zu besuchen", + "bisqEasy.onboarding.right.info" to "Durchsuchen Sie die Angebote oder erstellen Sie Ihr eigenes Angebot.", + "bisqEasy.component.amount.maxRangeValue" to "Max {0}", + "bisqEasy.tradeState.info.phase3b.balance.invalid.noOutputsForAddress" to "Keine passenden Ausgaben in der Transaktion gefunden", + "bisqEasy.tradeWizard.review.priceDescription.maker" to "Angebotspreis", + "bisqEasy.takeOffer.paymentMethods.subtitle.fiat.buyer" to "Wähle eine Zahlungsmethode aus, um {0} zu überweisen", + "bisqEasy.tradeGuide.security.headline" to "Wie sicher ist es, auf Bisq Easy zu handeln?", + "bisqEasy.takeOffer.amount.buyer.limitInfo.overlay.linkToWikiText" to "Um mehr über das Reputationssystem zu erfahren, besuchen Sie:", + "bisqEasy.walletGuide.receive.link2" to "Bluewallet-Tutorial von BTC Sessions", + "bisqEasy.walletGuide.receive.link1" to "Bluewallet-Tutorial von Anita Posch", + "bisqEasy.tradeWizard.progress.amount" to "Menge", + "bisqEasy.offerbook.chatMessage.deleteOffer.confirmation" to "Sind Sie sicher, dass Sie dieses Angebot löschen möchten?", + "bisqEasy.tradeWizard.review.priceDetails.float" to "Float-Preis. {0} {1} Marktpreis von {2}", + "bisqEasy.openTrades.welcome.info" to "Bitte machen Sie sich mit dem Konzept, dem Ablauf und den Regeln für den Handel auf Bisq Easy vertraut.\nNachdem Sie die Handelsregeln gelesen und akzeptiert haben, können Sie den Handel starten.", + "bisqEasy.tradeState.info.seller.phase3a.fiatPaymentReceivedCheckBox" to "Ich habe bestätigt, {0} erhalten zu haben", + "bisqEasy.offerbook" to "Angebotsbuch", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.description.LN" to "Lightning-Rechnung", + "bisqEasy.openTrades.table.makerTakerRole" to "Meine Rolle", + "bisqEasy.tradeWizard.market.headline.buyer" to "In welcher Währung möchten Sie bezahlen?", + "bisqEasy.tradeWizard.amount.limitInfo.overlay.headline" to "Reputationsbasierte Handelsbetragsgrenzen", + "bisqEasy.tradeWizard.progress.takeOffer" to "Angebot auswählen", + "bisqEasy.tradeWizard.market.columns.numOffers" to "Angebote", + "bisqEasy.offerbook.offerList.expandedList.tooltip" to "Angebotsliste minimieren", + "bisqEasy.openTrades.failedAtPeer" to "Der Handel des Partners ist aufgrund eines Fehlers fehlgeschlagen: {0}", + "bisqEasy.tradeState.info.buyer.phase3b.info.ln" to "Überweisungen über das Lightning-Netzwerk sind normalerweise augenblicklich. Wenn du die Zahlung nach 1 Minute noch nicht erhalten hast, kontaktiere den Verkäufer im Handels-Chat. In einigen Fällen können Zahlungen fehlschlagen und müssen wiederholt werden.", + "bisqEasy.takeOffer.amount.buyer.limitInfo.learnMore" to "Mehr erfahren", + "bisqEasy.takeOffer.paymentMethods.subtitle.fiat.seller" to "Wähle eine Zahlungsmethode aus, um {0} zu erhalten", + "bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo.leadLine" to "Da Ihr Mindestbetrag unter {0} liegt, können Verkäufer ohne Reputation Ihr Angebot annehmen.", + "bisqEasy.walletGuide.open" to "Wallet-Anleitung öffnen", + "bisqEasy.tradeState.info.seller.phase3a.btcSentButton" to "Ich bestätige, {0} gesendet zu haben", + "bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMax.overlay.info" to "Die Reputationsbewertung des Verkäufers von {0} bietet nicht genügend Sicherheit. Für niedrigere Handelsbeträge (bis zu {1}) sind die Anforderungen an die Reputation jedoch nachsichtiger.\n\nWenn Sie sich entscheiden, trotz der fehlenden Reputation des Verkäufers fortzufahren, stellen Sie sicher, dass Sie sich der damit verbundenen Risiken vollständig bewusst sind. Das Sicherheitsmodell von Bisq Easy basiert auf der Reputation des Verkäufers, da der Käufer zuerst Fiat-Währung senden muss.", + "bisqEasy.tradeState.paymentProof.MAIN_CHAIN" to "Transaktions-ID", + "bisqEasy.takeOffer.paymentMethods.subtitle.bitcoin.seller" to "Wähle eine Abrechnungsmethode aus, um Bitcoin zu senden", + "bisqEasy.offerbook.offerList.table.filters.showMyOffersOnly" to "Nur meine Angebote", + "bisqEasy.component.amount.baseSide.tooltip.buyerInfo" to "Verkäufer können einen höheren Preis verlangen, da sie Kosten für den Erwerb von Reputation haben.\nEin Aufschlag von 5-15 % ist üblich.", + "bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.scoreTooLow" to "Ihre Reputationsbewertung von {0} bietet nicht genügend Sicherheit für Käufer.\n\nKäufer, die in Erwägung ziehen, Ihr Angebot anzunehmen, erhalten eine Warnung über potenzielle Risiken beim Annehmen Ihres Angebots.\n\nInformationen, wie Sie Ihre Reputation erhöhen können, finden Sie unter ''Reputation/Reputation aufbauen''.", + "bisqEasy.tradeState.info.phase3b.button.next.amountNotMatching" to "Der Ausgabebetrag für die Adresse ''{0}'' in der Transaktion ''{1}'' beträgt ''{2}'', was nicht mit dem Handelsbetrag von ''{3}'' übereinstimmt.\n\nKonntest du dieses Problem mit deinem Handelspartner klären?\nWenn nicht, kannst du in Betracht ziehen, Mediation anzufordern, um das Problem zu lösen.", + "bisqEasy.tradeState.info.buyer.phase3b.balance" to "Erhaltene Bitcoin", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.overlay.info" to "Aufgrund des niedrigen Mindestbetrags von {0} sind die Anforderungen an die Reputation gelockert.\nFür Beträge bis zu {1} benötigen Verkäufer keine Reputation.\n\nAuf dem Bildschirm ''Angebot auswählen'' wird empfohlen, Verkäufer mit höherer Reputation auszuwählen.", + "bisqEasy.tradeWizard.review.toPay" to "Zu zahlender Betrag", + "bisqEasy.takeOffer.review.headline" to "Handel überprüfen", + "bisqEasy.openTrades.table.makerTakerRole.taker" to "Empfänger", + "bisqEasy.openTrades.chat.attach" to "Zurück", + "bisqEasy.tradeWizard.amount.addMinAmountOption" to "Min-/Max-Bereich für Menge hinzufügen", + "bisqEasy.tradeWizard.paymentMethods.warn.noBtcSettlementMethodSelected" to "Bitte wähle mindestens eine Bitcoin-Abrechnungsmethode aus.", + "bisqEasy.takeOffer.paymentMethods.subtitle.bitcoin.buyer" to "Wähle eine Abrechnungsmethode aus, um Bitcoin zu erhalten", + "bisqEasy.openTrades.table.paymentMethod" to "Zahlungsmethode", + "bisqEasy.takeOffer.review.noTradeFees" to "Keine Handelsgebühren", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.tooltip" to "QR-Code mit deiner Webcam scannen", + "bisqEasy.tradeWizard.review.paymentMethodDescriptions.fiat.maker" to "Fiat-Zahlungsmethoden", + "bisqEasy.tradeWizard.review.chatMessage.peerMessageTitle.sell" to "Verkaufe Bitcoin an", + "bisqEasy.onboarding.left.info" to "Der Handelsassistent führt Sie durch Ihren ersten Bitcoin-Handel. Die Bitcoin-Verkäufer helfen Ihnen, wenn Sie Fragen haben.", + "bisqEasy.offerbook.offerList.collapsedList.tooltip" to "Angebotsliste erweitern", + "bisqEasy.price.feedback.sentence.low" to "geringe", + "bisqEasy.tradeState.info.seller.phase3b.info.MAIN_CHAIN" to "Die Bitcoin-Zahlung erfordert mindestens 1 Blockchain-Bestätigung, um als abgeschlossen betrachtet zu werden.", + "bisqEasy.tradeWizard.review.toSend" to "Zu sendender Betrag", + "bisqEasy.tradeState.info.seller.phase1.accountData.prompt" to "Geben Sie Ihre Kontodaten ein. Z.B. IBAN, BIC und Kontoinhabername", + "bisqEasy.tradeWizard.review.chatMessage.myMessageTitle" to "Mein Angebot um Bitcoin zu {0}", + "bisqEasy.tradeWizard.directionAndMarket.feedback.headline" to "Wie baut man Reputation auf?", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.info" to "Für Angebote bis {0} sind die Anforderungen an die Reputation gelockert.", + "bisqEasy.tradeWizard.review.createOfferSuccessButton" to "Mein Angebot im 'Angebotsbuch' anzeigen", + "bisqEasy.tradeWizard.review.takeOfferSuccess.subTitle" to "Bitte setzen Sie sich mit dem Handelspartner unter 'Offene Transaktionen' in Verbindung.\nDort findesn Sie weitere Informationen für die nächsten Schritte.\n\nÜberprüfe die Bisq-Anwendung regelmäßig auf neue Nachrichten von deinem Handelspartner.", + "bisqEasy.mediation.request.confirm.openMediation" to "Mediation öffnen", + "bisqEasy.price.tradePrice.inputBoxText" to "Handelspreis in {0}", + "bisqEasy.tradeGuide.rules.content" to "- Vor dem Austausch von Kontodetails zwischen dem Verkäufer und dem Käufer kann jede Partei den Handel ohne Angabe von Gründen abbrechen.\n- Händler sollten regelmäßig ihre Handelsgeschäfte auf neue Nachrichten überprüfen und müssen innerhalb von 24 Stunden reagieren.\n- Sobald Kontodetails ausgetauscht werden, gilt das Nichterfüllen von Handelsverpflichtungen als Vertragsbruch und kann zu einem Ausschluss aus dem Bisq-Netzwerk führen. Dies gilt nicht, wenn der Handelspartner nicht reagiert.\n- Während der Fiat-Zahlung DARF der Käufer keine Begriffe wie 'Bisq' oder 'Bitcoin' im Feld 'Zahlungsgrund' angeben. Händler können sich auf einen Kennzeichner einigen, wie eine zufällige Zeichenfolge wie 'H3TJAPD', um die Banküberweisung mit dem Handel zu verknüpfen.\n- Wenn der Handel aufgrund längerer Fiat-Überweisungszeiten nicht sofort abgeschlossen werden kann, müssen beide Händler mindestens einmal täglich online sein, um den Fortschritt des Handels zu überwachen.\n- Falls Händler auf ungelöste Probleme stoßen, haben sie die Möglichkeit, einen Mediator in den Handelschat einzuladen, um Unterstützung zu erhalten.\n\nSolltest du Fragen haben oder Unterstützung benötigen, zögere nicht, die Chaträume aufzusuchen, die unter dem Menü 'Support' zugänglich sind. Viel Spaß beim Handeln!", + "bisqEasy.offerbook.offerList.table.columns.peerProfile" to "Peer-Profil", + "bisqEasy.tradeState.info.phase3b.balance.invalid.amountNotMatching" to "Der Ausgabebetrag aus der Transaktion stimmt nicht mit dem Handelsbetrag überein", + "bisqEasy.tradeWizard.review.chatMessage.peerMessage.buy" to "Kaufe Bitcoin von {0}\nMenge: {1}\nBitcoin-Zahlungsmethode(n): {2}\nFiat-Zahlungsmethode(n): {3}\n{4}", + "bisqEasy.price.percentage.title" to "Float-Preis", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.connecting" to "Verbindung zur Webcam wird hergestellt...", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.learnMore" to "Mehr erfahren", + "bisqEasy.tradeGuide.open" to "Handelsanleitung öffnen", + "bisqEasy.tradeState.info.phase3b.lightning.preimage" to "Preimage", + "bisqEasy.tradeWizard.review.table.baseAmount.seller" to "Sie geben aus", + "bisqEasy.openTrades.cancelTrade.warning.buyer" to "Da der Austausch von Kontodetails begonnen hat, wird das Abbrechen des Handels ohne das Einverständnis des Verkäufers {0}", + "bisqEasy.tradeWizard.review.chatMessage.marketPrice" to "Marktpreis", + "bisqEasy.tradeWizard.amount.seller.limitInfo.link" to "Mehr erfahren", + "bisqEasy.tradeState.info.seller.phase2a.waitForPayment.info" to "Sobald der Käufer die Zahlung von {0} eingeleitet hat, werden Sie benachrichtigt.", + "bisqEasy.offerbook.offerList.table.columns.price.tooltip.fixPrice" to "Fester Preis: {0}\nProzentsatz vom aktuellen Marktpreis: {1}", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.walletHelp" to "Wenn Sie noch kein Wallet eingerichtet haben, finden Sie Hilfe im Wallet-Leitfaden", + "bisqEasy.tradeGuide.security.content" to "- Das Sicherheitsmodell von Bisq Easy ist für kleine Handelsbeträge optimiert.\n- Das Modell stützt sich auf die Reputation des Verkäufers, der in der Regel ein erfahrener Bisq-Nutzer ist und von dem erwartet wird, neuen Nutzern zu helfen.\n- Der Aufbau von Reputation kann kostspielig sein, was zu einem üblichen Preisaufschlag von 5-15% führt, um zusätzliche Ausgaben zu decken und den Service des Verkäufers zu kompensieren.\n- Der Handel mit Verkäufern, die keine Reputation haben, birgt erhebliche Risiken und sollte nur unternommen werden, wenn die Risiken gründlich verstanden und abgewägt werden.", + "bisqEasy.openTrades.csv.paymentMethod" to "Zahlungsmethode", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.button.accept" to "Preis akzeptieren", + "bisqEasy.openTrades.failed" to "Der Handel ist aufgrund einer Fehlermeldung fehlgeschlagen: {0}", + "bisqEasy.tradeState.info.seller.phase3b.headline.MAIN_CHAIN" to "Warten auf Blockchain-Bestätigung", + "bisqEasy.tradeState.info.buyer.phase3a.info" to "Der Verkäufer muss die Bitcoin-Zahlung an deine angegebene {0} starten.", + "bisqEasy.tradeState.info.seller.phase3b.headline.ln" to "Auf Bestätigung des Bitcoin-Empfangs durch den Käufer warten", + "bisqEasy.tradeState.phase4" to "Handel abgeschlossen", + "bisqEasy.tradeWizard.review.detailsHeadline.taker" to "Handelsdetails", + "bisqEasy.tradeState.phase3" to "Bitcoin-Überweisung", + "bisqEasy.tradeWizard.review.takeOfferSuccess.headline" to "Sie haben das Angebot erfolgreich angenommen", + "bisqEasy.tradeState.phase2" to "Fiat-Zahlung", + "bisqEasy.tradeState.phase1" to "Kontodetails", + "bisqEasy.mediation.request.feedback.msg" to "Eine Anfrage an die registrierten Mediatoren wurde gesendet.\n\nBitte habe Geduld, bis ein Mediator online ist, um dem Handelschat beizutreten und bei der Lösung von Problemen zu helfen.", + "bisqEasy.offerBookChannel.description" to "Marktkanal für den Handel mit {0}", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.failed" to "Verbindung zur Webcam fehlgeschlagen", + "bisqEasy.tradeGuide.welcome.content" to "Diese Anleitung bietet einen Überblick über wesentliche Aspekte beim Kauf oder Verkauf von Bitcoin mit Bisq Easy.\nIn dieser Anleitung lernst du das Sicherheitsmodell von Bisq Easy kennen, erhältst Einblicke in den Handelsprozess und machst dich mit den Handelsregeln vertraut.\n\nFür weitere Fragen besuche gerne die Chaträume unter dem Menüpunkt 'Support'.", + "bisqEasy.offerDetails.quoteSideAmount" to "{0} Betrag", + "bisqEasy.tradeState.info.seller.phase2a.waitForPayment.headline" to "Warten auf die {0} Zahlung des Käufers", + "bisqEasy.tradeState.info.buyer.phase2a.reasonForPaymentInfo" to "Bitte lassen Sie das Feld 'Zahlungsgrund' leer, falls Sie eine Banküberweisung tätigen", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.proceed" to "Warnung ignorieren", + "bisqEasy.offerbook.offerList.table.filters.paymentMethods.title" to "Zahlungen ({0})", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.browseOfferbook" to "Angebotsbuch durchsuchen", + "bisqEasy.tradeState.info.seller.phase2b.fiatReceivedButton" to "Empfang von {0} bestätigen", + "bisqEasy.tradeWizard.amount.seller.limitInfo.noReputationNeededForMaxOrFixedAmount" to "Für Beträge bis zu {0} ist keine Reputation erforderlich.", + "bisqEasy.openTrades.csv.receiverAddressOrInvoice" to "Empfängeradresse/Rechnung", + "bisqEasy.tradeWizard.review.chatMessage.peerMessage.sell" to "Verkaufe Bitcoin an {0}\nMenge: {1}\nBitcoin-Zahlungsmethode(n): {2}\nFiat-Zahlungsmethode(n): {3}\n{4}", + "bisqEasy.takeOffer.review.sellerPaysMinerFee" to "Mining-Gebühr zahlt Verkäufer", + "bisqEasy.takeOffer.review.sellerPaysMinerFeeLong" to "Verkäufer zahlt Miningfee", + "bisqEasy.tradeWizard.review.paymentMethodDescriptions.fiat.taker" to "Fiat-Zahlungsmethode auswählen", + "bisqEasy.tradeWizard.directionAndMarket.feedback.gainReputation" to "Erfahren Sie, wie man Reputation aufbaut", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.MAIN_CHAIN" to "Die Transaktions-ID, die du eingegeben hast, scheint ungültig zu sein.\n\nWenn du sicher bist, dass die Transaktions-ID gültig ist, kannst du diese Warnung ignorieren und fortfahren.", + "bisqEasy.tradeState.info.buyer.phase2a.quoteAmount" to "Zu überweisender Betrag", + "bisqEasy.offerbook.marketListCell.favourites.tooltip.removeFromFavourites" to "Aus Favoriten entfernen", + "bisqEasy.offerbook.marketListCell.numOffers.tooltip.none" to "Keine Angebote im {0}-Markt verfügbar", + "bisqEasy.price.percentage.inputBoxText" to "Marktpreis-Prozentsatz zwischen -10 % und 50 %", + "bisqEasy.takeOffer.amount.seller.limitInfo.overlay.info.scoreTooLow" to "Für Beträge bis {0} sind die Anforderungen an die Reputation gelockert.\n\nIhre Reputationsbewertung von {1} bietet nicht genügend Sicherheit für den Käufer. Angesichts des niedrigen Handelsbetrags hat der Käufer jedoch akzeptiert, das Risiko einzugehen.\n\nInformationen zur Erhöhung Ihrer Reputation finden Sie unter ''Reputation/Reputation aufbauen''.", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.description.LN" to "Preimage (optional)", + "bisqEasy.takeOffer.bitcoinPaymentData.warning.MAIN_CHAIN" to "Die Bitcoin-Adresse, die du eingegeben hast, scheint ungültig zu sein.\n\nWenn du sicher bist, dass die Adresse gültig ist, kannst du diese Warnung ignorieren und fortfahren.", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.goBack" to "Auswahl ändern", + "bisqEasy.tradeWizard.amount.seller.wizard.numMatchingOffers.info" to "Es gibt {0} passende Angebote für den gewählten Handelsbetrag.", + "bisqEasy.tradeState.bitcoinPaymentData.MAIN_CHAIN" to "Bitcoin-Adresse", + "bisqEasy.onboarding.top.content1" to "Schnelleinführung in Bisq Easy", + "bisqEasy.onboarding.top.content2" to "Alles über den Handelsprozess", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.description.MAIN_CHAIN" to "Transaktions-ID", + "bisqEasy.onboarding.top.content3" to "Die wichtigesten Handelsregeln", + "bisqEasy.tradeState.header.peer" to "Handelspartner", + "bisqEasy.tradeState.info.phase3b.button.skip" to "Warten auf Blockbestätigung überspringen", + "bisqEasy.openTrades.closeTrade.warning.completed" to "Dein Handel wurde abgeschlossen.\n\nDu kannst den Handel jetzt schließen oder die Handels-Daten bei Bedarf auf deinem Computer sichern.\n\nSobald der Handel geschlossen ist, sind alle mit dem Handel verbundenen Daten verschwunden, und du kannst nicht mehr mit deinem Handelspartner im Handels-Chat kommunizieren.", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.noReputationNeededForMaxOrFixedAmount.riskInfo" to "Stellen Sie sicher, dass Sie die damit verbundenen Risiken vollständig verstehen.", + "bisqEasy.tradeState.info.buyer.phase1a.tradeLogMessage.LN" to "{0} hat die Lightning-Rechnung „{1}“ gesendet", + "bisqEasy.openTrades.cancelled.peer" to "Dein Handelspartner hat den Handel abgebrochen", + "bisqEasy.tradeCompleted.header.myOutcome.seller" to "Ich habe erhalten", + "bisqEasy.tradeWizard.review.chatMessage.offerDetails" to "Menge: {0}\nBitcoin-Zahlungsmethode(n): {1}\nFiat-Zahlungsmethode(n): {2}\n{3}", + "bisqEasy.takeOffer.bitcoinPaymentData.warning.proceed" to "Warnung ignorieren", + "bisqEasy.takeOffer.review.detailsHeadline" to "Handelsdetails", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.info" to "Ein Verkäufer, der Ihr Angebot von {0} annehmen möchte, muss eine Reputationsbewertung von mindestens {1} haben.\nDurch die Reduzierung des maximalen Handelsbetrags machen Sie Ihr Angebot für mehr Verkäufer zugänglich.", + "bisqEasy.tradeState.info.buyer.phase2a.tradeLogMessage" to "{0} hat die {1}-Zahlung eingeleitet", + "bisqEasy.takeOffer.amount.seller.limitInfo.scoreTooLow" to "Da Ihre Reputationsbewertung nur {0} beträgt, ist Ihr Handelsbetrag auf", + "bisqEasy.tradeState.info.seller.phase3a.baseAmount" to "Zu sendender Betrag", + "bisqEasy.takeOffer.review.takeOfferSuccess.subTitle" to "Bitte setzen Sie sich mit dem Handelspartner unter 'Offene Transaktionen' in Verbindung.\nDort finden Sie weitere Informationen für die nächsten Schritte.\n\nÜberprüfe die Bisq-Anwendung regelmäßig auf neue Nachrichten von einem Handelspartner.", + "bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.paymentProof.LN" to "Preimage", + "bisqEasy.tradeCompleted.body.txId.tooltip" to "Öffnen Sie den Block-Explorer für die Transaktion", + "bisqEasy.offerbook.marketListCell.numOffers.many" to "{0} Angebote", + "bisqEasy.walletGuide.createWallet.content" to "Bluewallet ermöglicht es dir, mehrere Wallets für verschiedene Zwecke zu erstellen. Für den Anfang benötigst du nur eine Wallet. Wenn du Bluewallet öffnest, wirst du aufgefordert, eine neue Wallet hinzuzufügen. Gib einen Namen für deine Wallet ein und wähle unter 'Typ' die Option *Bitcoin*. Du kannst alle anderen Optionen so belassen, wie sie erscheinen, und auf *Erstellen* klicken.\n\nIm nächsten Schritt werden dir 12 Wörter angezeigt. Diese 12 Wörter sind das Backup, mit dem du deine Wallet wiederherstellen kannst, wenn etwas mit deinem Telefon passiert. Schreibe sie in der gleichen Reihenfolge auf ein Blatt Papier (nicht digital), bewahre dieses Papier sicher auf und stelle sicher, dass nur du Zugriff darauf hast. Du kannst mehr darüber lesen, wie du deine Wallet sichern kannst, in den Lernabschnitten von Bisq 2, die Wallets und Sicherheit gewidmet sind.\n\nWenn du fertig bist, klicke auf 'Okay, ich habe es aufgeschrieben'.\nHerzlichen Glückwunsch! Du hast deine Wallet erstellt! Lass uns nun weitergehen, wie du deinen Bitcoin darin empfangen kannst.", + "bisqEasy.tradeCompleted.body.tradeFee.value" to "Keine Handelsgebühren", + "bisqEasy.walletGuide.download.content" to "Es gibt viele Wallets, die Sie verwenden können. In diesem Leitfaden zeigen wir Ihnen, wie Sie Bluewallet verwenden. Bluewallet ist großartig und gleichzeitig sehr einfach, und Sie können es verwenden, um Ihre Bitcoin von Bisq Easy zu empfangen.\n\nSie können Bluewallet auf Ihrem Handy herunterladen, unabhängig davon, ob Sie ein Android- oder iOS-Gerät haben. Besuchen Sie dazu die offizielle Webseite unter 'bluewallet.io'. Sobald Sie dort sind, klicken Sie auf App Store oder Google Play, je nachdem, welches Gerät Sie verwenden.\n\nWichtiger Hinweis: Zu Ihrer Sicherheit stellen Sie sicher, dass Sie die App aus dem offiziellen App Store Ihres Geräts herunterladen. Die offizielle App wird von 'Bluewallet Services, S.R.L.' bereitgestellt, und Sie sollten dies in Ihrem App Store sehen können. Das Herunterladen einer bösartigen Wallet könnte Ihre Gelder gefährden.\n\nAbschließend ein kurzer Hinweis: Bisq ist in keiner Weise mit Bluewallet verbunden. Wir empfehlen die Verwendung von Bluewallet aufgrund seiner Qualität und Einfachheit, aber es gibt viele andere Optionen auf dem Markt. Sie sollten sich absolut frei fühlen, zu vergleichen, auszuprobieren und die Wallet zu wählen, die am besten zu Ihren Bedürfnissen passt.", + "bisqEasy.tradeState.info.phase4.txId.tooltip" to "Transaktion im Block Explorer öffnen", + "bisqEasy.price.feedback.sentence" to "Dein Angebot hat {0} Chancen, zu diesem Preis angenommen zu werden.", + "bisqEasy.takeOffer.paymentMethods.headline.fiatAndBitcoin" to "Welche Zahlungs- und Abrechnungsmethoden möchtest du verwenden?", + "bisqEasy.tradeWizard.paymentMethods.headline" to "Welche Zahlungs- und Abrechnungsmethoden möchtest du verwenden?", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.nameAZ" to "Name A-Z", + "bisqEasy.tradeWizard.amount.buyer.limitInfo" to "Es gibt {0} im Netzwerk mit ausreichender Reputation, um ein Angebot von {1} anzunehmen.", + "bisqEasy.tradeCompleted.header.myDirection.btc" to "Bitcoin", + "bisqEasy.tradeGuide.notConfirmed.warn" to "Bitte lesen Sie die Handelsanleitung und bestätigen, dass Sie die Handelsregeln gelesen und verstanden haben.", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.info.leadLine" to "Es {0} passend zur gewählten Handelsmenge.", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.linkToWikiText" to "Um mehr über das Reputation-System zu erfahren, besuchen Sie:", + "bisqEasy.tradeState.info.seller.phase3b.info.ln" to "Überweisungen über das Lightning-Netzwerk sind in der Regel augenblicklich und zuverlässig. In einigen Fällen können Zahlungen jedoch fehlschlagen und müssen wiederholt werden.\n\nUm Probleme zu vermeiden, warte bitte darauf, dass der Käufer den Empfang im Handels-Chat bestätigt, bevor du den Handel abschließt, da die Kommunikation danach nicht mehr möglich sein wird.", + "bisqEasy.tradeGuide.process" to "Prozess", + "bisqEasy.tradeWizard.paymentMethods.warn.customNameMatchesPredefinedMethod" to "Der Name Ihrer benutzerdefinierten Zahlungsmethode darf nicht mit einem der vordefinierten Namen übereinstimmen.", + "bisqEasy.tradeState.info.phase3b.balance.help.explorerLookup" to "Suche nach Transaktion im Block Explorer ''{0}''", + "bisqEasy.tradeWizard.progress.paymentMethods" to "Zahlungsmethoden", + "bisqEasy.openTrades.table.quoteAmount" to "Menge", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.filterTitle" to "Zeige Märkte:", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.LN" to "Das Preimage, das du eingegeben hast, scheint ungültig zu sein.\n\nWenn du sicher bist, dass das Preimage gültig ist, kannst du diese Warnung ignorieren und fortfahren.", + "bisqEasy.tradeState.info.seller.phase1.accountData" to "Meine Kontodaten", + "bisqEasy.price.feedback.sentence.good" to "gute", + "bisqEasy.takeOffer.review.method.fiat" to "Fiat-Zahlungsmethode", + "bisqEasy.offerbook.offerList" to "Angebotsliste", + "bisqEasy.offerDetails.baseSideAmount" to "Bitcoin-Betrag", + "bisqEasy.tradeState.info.seller.phase3a.bitcoinPayment.description.MAIN_CHAIN" to "Bitcoin-Adresse", + "bisqEasy.tradeState.info.phase3b.txId" to "Transaktions-ID", + "bisqEasy.tradeWizard.review.paymentMethodDescription.fiat" to "Fiat-Zahlungsmethode", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.prompt.MAIN_CHAIN" to "Bitcoin-Transaktions-ID eingeben", + "bisqEasy.tradeState.info.seller.phase3b.balance" to "Bitcoin-Zahlung", + "bisqEasy.takeOffer.amount.headline.seller" to "Wie viel möchten Sie handeln?", + "bisqEasy.tradeWizard.paymentMethods.warn.maxMethodsReached" to "Sie können nicht mehr als 4 Zahlungsmethoden hinzufügen.", + "bisqEasy.tradeCompleted.header.tradeWith" to "Handel mit", + ), + "reputation" to mapOf( + "reputation.burnBsq" to "BSQ entwerten", + "reputation.signedWitness.import.step2.instruction" to "Kopieren Sie die Profil-ID, um sie in Bisq 1 einzufügen.", + "reputation.signedWitness.import.step4.instruction" to "Fügen Sie die JSON-Daten aus dem vorherigen Schritt ein.", + "reputation.buildReputation.accountAge.description" to "Benutzer von Bisq 1 können Reputation gewinnen, indem sie ihr Kontoalter von Bisq 1 in Bisq 2 importieren.", + "reputation.reputationScore.explanation.ranking.description" to "Bewertet Benutzer von der höchsten bis zur niedrigsten Punktzahl.\nAls Faustregel beim Handel gilt: Je höher der Rang, desto besser die Wahrscheinlichkeit eines erfolgreichen Handels.", + "user.bondedRoles.type.MEDIATOR.how.inline" to "ein Mediator", + "reputation.totalScore" to "Gesamtpunktzahl", + "user.bondedRoles.registration.requestRegistration" to "Registrierung", + "reputation.reputationScore" to "Reputationsbewertung", + "reputation.signedWitness.info" to "Indem du dein signiertes Alter eines Kontos aus Bisq 1 verlinkst, kannst du ein gewisses Maß an Vertrauen schaffen.\n\nEs zu erwarten, dass ein Benutzer, der vor einer Weile auf Bisq 1 gehandelt hat und sein Konto signieren ließ, ein vertrauenswürdiger Benutzer ist. Aber diese Erwartung ist im Vergleich zu anderen Formen der Reputation schwach, bei denen der Benutzer mehr \"Einsatz\" mit finanziellen Ressourcen zeigt.", + "user.bondedRoles.headline.roles" to "Rollen mit hinterlegtem Pfand", + "reputation.request.success" to "Erfolgreich um Autorisierung vom Bisq 1-Brückenknoten angefragt\n\nDeine Reputationsdaten sollten nun im Netzwerk verfügbar sein.", + "reputation.bond.score.headline" to "Auswirkungen auf die Reputation", + "user.bondedRoles.type.RELEASE_MANAGER.about.inline" to "Release-Manager", + "reputation.source.BISQ1_ACCOUNT_AGE" to "Alter des Kontos", + "reputation.table.columns.profileAge" to "Profilalter", + "reputation.burnedBsq.info" to "Indem du BSQ entwertest, zeigst du damit, dass du Geld in deine Reputation investiert hast.\nDie BSQ-Entwertungstransaktion enthält den Hash des öffentlichen Schlüssels deines Profils. Bei bösartigem Verhalten könnte dein Profil von Mediatoren gesperrt werden, wodurch deine Investition in deine Reputation wertlos würde.", + "reputation.signedWitness.import.step1.instruction" to "Wählen Sie das Benutzerprofil aus, dem Sie die Reputation zuordnen möchten.", + "reputation.signedWitness.totalScore" to "Zeugenalter in Tagen * Gewicht", + "reputation.table.columns.details.button" to "Details anzeigen", + "reputation.ranking" to "Rangfolge", + "reputation.accountAge.import.step2.profileId" to "Profil-ID (Einfügen auf dem Konto-Screen in Bisq 1)", + "reputation.accountAge.infoHeadline2" to "Privatsphäre-Auswirkungen", + "user.bondedRoles.registration.how.headline" to "Wie wird man {0}?", + "reputation.details.table.columns.lockTime" to "Sperrzeit", + "reputation.buildReputation.learnMore.link" to "Bisq Wiki.", + "reputation.reputationScore.explanation.intro" to "Die Reputation bei Bisq2 wird in drei Elementen erfasst:", + "reputation.score.tooltip" to "Punktzahl: {0}\nRang: {1}", + "user.bondedRoles.cancellation.failed" to "Senden der Stornierungsanfrage fehlgeschlagen.\n\n{0}", + "reputation.accountAge.tab3" to "Importieren", + "reputation.accountAge.tab2" to "Punktzahl", + "reputation.score" to "Punktzahl", + "reputation.accountAge.tab1" to "Warum", + "reputation.accountAge.import.step4.signedMessage" to "Signierte Nachricht von Bisq 1", + "reputation.request.error" to "Fehler beim Anfordern der Autorisierung. Text aus der Zwischenablage:\n{0}", + "reputation.signedWitness.import.step3.instruction1" to "3.1. - Öffnen Sie Bisq 1 und gehen Sie zu 'KONTO/NATIONALE WÄHRUNGSKONTEN'.", + "user.bondedRoles.type.MEDIATOR.about.info" to "Wenn es Konflikte bei einem Bisq Easy-Handel gibt, können die Händler Hilfe von einem Mediator anfordern.\nDer Mediator hat keine Durchsetzungsbefugnis und kann nur versuchen, bei der Suche nach einer kooperativen Lösung zu helfen. Im Falle eindeutiger Verstöße gegen die Handelsregeln oder Betrugsversuche kann der Vermittler Informationen an den Moderator weitergeben, um den schlechten Akteur vom Netzwerk zu verbannen.\nMediator und Schiedsrichter von Bisq 1 können ohne Hinterlegung eines neuen BSQ-Bonds zu Bisq 2-Mediatoren werden.", + "reputation.signedWitness.import.step3.instruction3" to "3.3. - Dies erstellt JSON-Daten mit einer Signatur Ihrer Bisq 2 Profil-ID und kopiert sie in die Zwischenablage.", + "user.bondedRoles.table.columns.role" to "Rolle", + "reputation.accountAge.import.step1.instruction" to "Wähle das Benutzerprofil aus, dem du die Reputation vergeben möchtest.", + "reputation.signedWitness.import.step3.instruction2" to "3.2. - Wählen Sie das älteste Konto aus und klicken Sie auf 'SIGNIERTES ALTER FÜR BISQ 2 EXPORTIEREN'.", + "reputation.accountAge.import.step2.instruction" to "Kopiere die Profil-ID, um sie in Bisq 1 einzufügen.", + "reputation.signedWitness.score.info" to "Das Importieren des signierten Alters eines Kontos wird als schwache Form der Reputation betrachtet, die durch den Gewichtsfaktor repräsentiert wird. Das signierte Alter eines Kontos muss mindestens 61 Tage alt sein und es gibt eine Obergrenze von 2000 Tagen für die Berechnung des Werts.", + "user.bondedRoles.type.SECURITY_MANAGER" to "Sicherheitsmanager", + "reputation.accountAge.import.step4.instruction" to "Füge die Signatur aus Bisq 1 ein", + "reputation.buildReputation.intro.part1.formula.footnote" to "* In die verwendete Währung umgerechnet.", + "user.bondedRoles.type.SECURITY_MANAGER.about.inline" to "Sicherheitsmanager", + "user.bondedRoles.type.MARKET_PRICE_NODE.about.info" to "Der Marktpreis-Knoten liefert Marktdaten vom Bisq-Marktpreis-Aggregator.", + "reputation.burnedBsq.score.headline" to "Auswirkungen auf die Reputation", + "user.bondedRoles.type.MODERATOR.about.inline" to "Moderator", + "reputation.burnedBsq.infoHeadline" to "Finanzieller Einsatz", + "user.bondedRoles.type.ARBITRATOR.about.inline" to "Schiedsrichter", + "user.bondedRoles.registration.how.info.node" to "9. Kopieren Sie die Datei 'default_node_address.json' aus dem Datenverzeichnis des Knotens, den Sie registrieren möchten, auf Ihre Festplatte und öffnen Sie sie mit der Schaltfläche 'Node-Adresse importieren'.\n10. Klicken Sie auf die Schaltfläche 'Registrierung anfordern'. Wenn alles korrekt war, wird Ihre Registrierung in der Tabelle der registrierten Netzwerkknoten sichtbar.", + "user.bondedRoles.type.MODERATOR" to "Moderator", + "reputation.buildReputation.intro.part2" to "Wenn ein Verkäufer ein Angebot mit einem Betrag veröffentlicht, der nicht durch seine Reputationsbewertung gedeckt ist, sieht der Käufer eine Warnung über die potenziellen Risiken beim Annehmen dieses Angebots.", + "reputation.buildReputation.intro.part1" to "Das Sicherheitsmodell von Bisq Easy basiert auf der Reputation des Verkäufers. Dies liegt daran, dass der Käufer während eines Handels zuerst den Fiat-Betrag sendet, weshalb der Verkäufer Reputation bereitstellen muss, um ein gewisses Maß an Sicherheit zu gewährleisten.\nEin Verkäufer kann Angebote bis zu dem Betrag annehmen, der aus seiner Reputationsbewertung abgeleitet ist.\nSie wird wie folgt berechnet:", + "user.bondedRoles.type.SEED_NODE" to "Seed-Knoten", + "reputation.bond.infoHeadline2" to "Was ist die empfohlene Menge und Sperrzeit?", + "reputation.bond.tab2" to "Punktzahl", + "reputation.bond.tab1" to "Warum", + "reputation" to "Reputation", + "user.bondedRoles.registration.showInfo" to "Anleitung anzeigen", + "reputation.bond.tab3" to "Wie", + "user.bondedRoles.table.columns.isBanned" to "Ist gesperrt", + "reputation.burnedBsq.totalScore" to "Burned BSQ Betrag * Gewicht * (1 + Alter / 365)", + "reputation.request" to "Autorisierung anfordern", + "user.bondedRoles.type.MARKET_PRICE_NODE.how.inline" to "ein Market-Price-Knotenbetreiber", + "reputation.reputationScore.explanation.stars.title" to "Sterne", + "user.bondedRoles.type.MEDIATOR" to "Mediator", + "reputation.buildReputation" to "Reputation aufbauen", + "reputation.buildReputation.accountAge.title" to "Alter des Kontos", + "reputation.source.BSQ_BOND" to "Hinterlegter BSQ-Bond", + "reputation.table.columns.details.popup.headline" to "Reputationsdetails", + "user.bondedRoles.type.RELEASE_MANAGER.about.info" to "Ein Release-Manager kann Benachrichtigungen senden, wenn ein neues Release verfügbar ist.", + "reputation.accountAge.infoHeadline" to "Vertrauen aufbauen", + "reputation.accountAge.import.step4.title" to "Schritt 4", + "user.bondedRoles.type.SEED_NODE.about.inline" to "Seed-Knoten-Betreiber", + "reputation.sim.burnAmount.prompt" to "Geben Sie die BSQ-Menge ein", + "reputation.score.formulaHeadline" to "Die Reputation wird wie folgt berechnet:", + "reputation.buildReputation.accountAge.button" to "Erfahren Sie, wie Sie das Kontoalter importieren", + "reputation.signedWitness.tab2" to "Wertung", + "reputation.signedWitness.tab1" to "Warum", + "reputation.table.columns.reputation" to "Reputation", + "user.bondedRoles.verification.howTo.instruction" to "1. Öffnen Sie Bisq 1 und gehen Sie zu 'DAO/Kopplung/gekoppelte Rollen' und wählen Sie die Rolle anhand des Bond-Benutzernamens und des Rollentyps aus.\n2. Klicken Sie auf die Überprüfen-Schaltfläche, kopieren Sie die Profil-ID und fügen Sie sie in das Nachrichtenfeld ein.\n3. Kopieren Sie die Signatur und fügen Sie sie in das Signaturfeld in Bisq 1 ein.\n4. Klicken Sie auf die Überprüfen-Schaltfläche. Wenn die Signaturüberprüfung erfolgreich ist, ist der gebundene Role gültig.", + "reputation.signedWitness.tab3" to "Anleitung", + "reputation.buildReputation.title" to "Wie können Verkäufer ihre Reputation aufbauen?", + "reputation.buildReputation.bsqBond.button" to "Erfahren Sie, wie man BSQ koppelt", + "reputation.burnedBsq.infoHeadline2" to "Empfohlene Menge für die Entwertung?", + "reputation.signedWitness.import.step4.signedMessage" to "JSON-Daten von Bisq 1", + "reputation.buildReputation.burnBsq.button" to "Erfahren Sie, wie man BSQ verbrennt", + "reputation.accountAge.score.info" to "Das Importieren des Alters eines Kontos wird als eher schwache Form der Reputation betrachtet, die durch den niedrigen Gewichtungsfaktor repräsentiert wird. Es gibt eine Obergrenze von 2000 Tagen für die Punkteberechnung.", + "reputation.reputationScore.intro" to "In diesem Abschnitt wird die Bisq Reputation erklärt, damit Sie informierte Entscheidungen beim Annehmen eines Angebots treffen können.", + "user.bondedRoles.registration.bondHolderName" to "Nutzername des Bond-Inhabers", + "user.bondedRoles.type.SEED_NODE.about.info" to "Ein Seed-Knoten stellt Netzwerkadressen von Netzwerkteilnehmern für das Bootstrapping des Bisq 2-P2P-Netzwerks bereit.\nDies ist besonders wichtig beim allerersten Start, da zu diesem Zeitpunkt der neue Benutzer noch keine persistierten Daten für die Verbindung zu anderen Peers hat.\nEr stellt auch P2P-Netzwerkdienste wie Chat-Nachrichten für den neu verbindenden Benutzer bereit.\nDieser Datenbereitstellungsdienst wird jedoch auch von jedem anderen Netzwerkknoten durchgeführt, aber da Seed-Knoten rund um die Uhr verfügbar sind und einen hohen Qualitätsstandard bieten, bieten sie mehr Stabilität und bessere Leistung, was zu einer besseren Start-Experience führt.\nSeed-Knoten-Betreiber von Bisq 1 können ohne Aufnahme einer neuen BSQ-Bindung zu Bisq 2-Seed-Knoten-Betreibern werden.", + "reputation.table.headline" to "Reputations-Rangliste", + "user.bondedRoles.type.SECURITY_MANAGER.how.inline" to "ein Sicherheitsmanager", + "reputation.buildReputation.bsqBond.description" to "Ähnlich wie das Verbrennen von BSQ, jedoch unter Verwendung von rückzahlbaren BSQ-Anleihen.\nBSQ muss für mindestens 50.000 Blöcke (etwa 1 Jahr) gekoppelt werden.", + "user.bondedRoles.registration.node.addressInfo.prompt" to "Importieren Sie die Datei 'default_node_address.json' aus dem Knoten-Datenverzeichnis.", + "user.bondedRoles.registration.node.privKey" to "Privater Schlüssel", + "user.bondedRoles.registration.headline" to "Registrierung beantragen", + "reputation.sim.lockTime" to "Sperrzeit in Blöcken", + "reputation.bond" to "BSQ-Bonds", + "user.bondedRoles.registration.signature.prompt" to "Fügen Sie die Signatur Ihrer Rolle mit hinterlegtem Pfand ein", + "reputation.buildReputation.burnBsq.title" to "BSQ entwerten", + "user.bondedRoles.table.columns.node.address" to "Adresse", + "reputation.reputationScore.explanation.score.title" to "Wert", + "user.bondedRoles.type.MARKET_PRICE_NODE" to "Marktpreis-Knoten", + "reputation.bond.info2" to "Die Sperrzeit muss mindestens 50 000 Blöcke betragen, was etwa einem Jahr entspricht, um als gültiger Bond betrachtet zu werden. Die Menge kann vom Benutzer gewählt werden und bestimmt zusammen mit der Sperrzeit das Ranking gegenüber anderen Verkäufern. Verkäufer mit der höchsten Reputation haben bessere Handelsmöglichkeiten und können einen höheren Preis erzielen. Die Top 3 Angebote nach Reputation werden im Bildschirm 'Bitcoin kaufen' beworben.\n\nMengen unter 1000 BSQ bieten möglicherweise nicht das erforderliche Mindestmaß an Sicherheit, um das Vertrauen eines Käufers aufzubauen (abhängig vom Markt und den gehandelten Mengen).\n\nWenn ein BSQ-Bond zu umständlich ist, erwäge die anderen verfügbaren Optionen zum Aufbau der Reputation.", + "reputation.accountAge.info2" to "Das Verknüpfen deines Bisq-1-Kontos mit Bisq 2 hat einige Auswirkungen auf deine Privatsphäre. Um das Alter deines Kontos zu überprüfen, wird deine Bisq-1-Identität kryptografisch mit deiner Bisq-2-Profil-ID verknüpft.\nDie Exposition ist jedoch auf den 'Bisq-1-Bridge-Knoten' beschränkt, der von einem Bisq-Mitwirkenden betrieben wird, der einen BSQ-Bond hinterlegt hat.\n\nDas Alter eines Kontos ist eine Alternative für diejenigen, die wegen der finanziellen Kosten kein entwertetes BSQ oder BSQ-Bonds verwenden möchten. Das Konto sollte mindestens mehrere Monate alt sein, um ein gewisses Maß an Vertrauen widerzuspiegeln.", + "reputation.signedWitness.score.headline" to "Auswirkung auf die Reputation", + "reputation.accountAge.info" to "Indem du das Alter deines Bisq-1-Kontos verknüpfst, kannst du ein gewisses Maß an Vertrauen aufbauen.\n\nEs ist zu erwarten, dass ein Benutzer, der Bisq seit einiger Zeit verwendet hat, ein vertrauenswürdiger Benutzer ist. Aber diese Erwartung ist im Vergleich zu anderen Formen der Reputation, bei denen der Benutzer stärkere Beweise mit der Verwendung einiger finanzieller Ressourcen liefert, schwach.", + "reputation.reputationScore.closing" to "Für weitere Details, wie ein Verkäufer seine Reputation aufgebaut hat, siehe den Abschnitt 'Ranking' und klicke auf 'Details anzeigen' im Benutzer.", + "user.bondedRoles.cancellation.success" to "Die Stornierungsanfrage wurde erfolgreich gesendet. Sie sehen in der Tabelle unten, ob die Stornierungsanfrage erfolgreich überprüft und die Rolle vom Oracle-Knoten entfernt wurde.", + "reputation.buildReputation.intro.part1.formula.output" to "Maximaler Handelsbetrag in USD *", + "reputation.buildReputation.signedAccount.title" to "Signiertes Alter des Kontos", + "reputation.signedWitness.infoHeadline" to "Vertrauen schaffen", + "user.bondedRoles.type.EXPLORER_NODE.about.info" to "Der Blockchain-Explorer-Knoten wird in Bisq Easy zur Transaktionsnachverfolgung der Bitcoin-Zahlung verwendet.", + "reputation.buildReputation.signedAccount.description" to "Benutzer von Bisq 1 können Reputation gewinnen, indem sie ihr signiertes Kontoalter von Bisq 1 in Bisq 2 importieren.", + "reputation.burnedBsq.score.info" to "Das Verbrennen von BSQ wird als die stärkste Form der Reputation angesehen, die durch den hohen Gewichtungsfaktor repräsentiert wird. Ein zeitbasierter Boost wird im ersten Jahr angewendet, der die Bewertung schrittweise bis auf das Doppelte ihres ursprünglichen Wertes erhöht.", + "reputation.accountAge" to "Alter des Kontos", + "reputation.burnedBsq.howTo" to "1. Wähle das Benutzerprofil aus, für das du die Reputation anhängen möchtest.\n2. Kopiere die 'Profil-ID'\n3. Öffne Bisq 1 und gehe zu 'DAO/NACHWEIS DER ENTWERTUNG' und füge den kopierten Wert in das Feld 'Vorabbild' ein.\n4. Gib die Menge an BSQ ein, die du entwerten möchtest.\n5. Veröffentliche die Burn-BSQ-Transaktion.\n6. Nach der Bestätigung durch die Blockchain wird deine Reputation in deinem Profil sichtbar.", + "user.bondedRoles.type.ARBITRATOR.how.inline" to "ein Schiedsrichter", + "user.bondedRoles.type.RELEASE_MANAGER" to "Release-Manager", + "reputation.bond.info" to "Indem du einen BSQ-Bond einrichtest, signalisierst du, dass du Geld für den Aufbau von Reputation gebunden hast.\nDie BSQ-Bond-Transaktion enthält den Hash des öffentlichen Schlüssels deines Profils. Bei bösartigem Verhalten könnte dein Bond von der DAO konfisziert werden und dein Profil von Mediatoren gesperrt werden.", + "reputation.weight" to "Gewichtung", + "reputation.buildReputation.bsqBond.title" to "Gekoppelte BSQ", + "reputation.sim.age" to "Alter in Tagen", + "reputation.burnedBsq.howToHeadline" to "Ablauf für das Entwerten von BSQ", + "reputation.bond.howToHeadline" to "Ablauf für die Einrichtung eines BSQ-Bonds", + "reputation.sim.age.prompt" to "Geben Sie das Alter ein", + "user.bondedRoles.type.SECURITY_MANAGER.about.info" to "Ein Sicherheitsmanager kann im Notfall eine Warnmeldung senden.", + "reputation.bond.score.info" to "Das Einrichten einer gekoppelten BSQ wird als eine starke Form der Reputation angesehen. Die Sperrzeit muss mindestens betragen: 50.000 Blöcke (etwa 1 Jahr). Ein zeitbasierter Boost wird im ersten Jahr angewendet, der die Bewertung schrittweise bis auf das Doppelte ihres ursprünglichen Wertes erhöht.", + "reputation.signedWitness" to "Signiertes Alter des Kontos", + "user.bondedRoles.registration.about.headline" to "Über die Rolle {0}", + "user.bondedRoles.registration.hideInfo" to "Anleitung ausblenden", + "reputation.source.BURNED_BSQ" to "Entwertetes BSQ", + "reputation.buildReputation.learnMore" to "Erfahren Sie mehr über das Bisq-Reputationssystem unter der", + "reputation.reputationScore.explanation.stars.description" to "Dies ist eine grafische Darstellung der Bewertung. Siehe die Umrechnungstabelle unten, wie Sterne berechnet werden.\nEs wird empfohlen, mit Verkäufern zu handeln, die die höchste Anzahl an Sternen haben.", + "reputation.burnedBsq.tab1" to "Warum", + "reputation.burnedBsq.tab3" to "Wie", + "reputation.burnedBsq.tab2" to "Punktzahl", + "user.bondedRoles.registration.node.addressInfo" to "Adressdaten des Knotens", + "reputation.buildReputation.signedAccount.button" to "Erfahren Sie, wie Sie ein signiertes Konto importieren", + "user.bondedRoles.type.ORACLE_NODE.about.info" to "Der Orakelknoten wird verwendet, um Daten von Bisq 1 und der DAO für Bisq 2-Anwendungsfälle wie die Reputation bereitzustellen.", + "reputation.buildReputation.intro.part1.formula.input" to "Reputationsbewertung", + "reputation.signedWitness.import.step2.title" to "Schritt 2", + "reputation.table.columns.reputationScore" to "Reputationsbewertung", + "user.bondedRoles.table.columns.node.address.openPopup" to "Popup mit Adressdaten des Knotens öffnen", + "reputation.sim.lockTime.prompt" to "Geben Sie die Sperrzeit ein", + "reputation.sim.score" to "Gesamtpunktzahl", + "reputation.accountAge.import.step3.title" to "Schritt 3", + "reputation.signedWitness.info2" to "Die Verknüpfung deines Bisq 1 Accounts mit Bisq 2 hat einige Auswirkungen auf deine Privatsphäre. Um den signierten Nachweis deines Kontos zu überprüfen, wird deine Bisq 1-Identität kryptografisch mit deiner Bisq 2 Profil-ID verknüpft.\nDie Offenlegung ist jedoch auf den 'Bisq 1-Bridgenode' beschränkt, der von einem Bisq-Mitwirkenden betrieben wird, der einen BSQ-Bond (Rolle mit hinterlegtem Pfand) hinterlegt hat.\n\nDer unterschriebene Account-Altersnachweis ist eine Alternative für diejenigen, die kein entwertetes BSQ oder BSQ-Bindungen aufgrund der finanziellen Belastung verwenden möchten. Der signierte Altersnachweis deines Kontos muss mindestens 61 Tage alt sein, um für die Reputation berücksichtigt zu werden.", + "user.bondedRoles.type.RELEASE_MANAGER.how.inline" to "ein Release-Manager", + "user.bondedRoles.table.columns.oracleNode" to "Oracle-Knoten", + "reputation.accountAge.import.step2.title" to "Schritt 2", + "user.bondedRoles.type.MODERATOR.about.info" to "Chat-Benutzer können Verstöße gegen die Chat- oder Handelsregeln an den Moderator melden.\nFalls die bereitgestellten Informationen ausreichen, um einen Regelverstoß zu überprüfen, kann der Moderator den Benutzer vom Netzwerk ausschließen.\nBei schwerwiegenden Verstößen eines Verkäufers, der eine gewissen Reputation erlangt hatte, wird die Reputation ungültig, und die relevanten Quelldaten (wie die DAO-Transaktion oder das Alter des Kontos) werden in Bisq 2 auf die schwarze Liste gesetzt und vom Orakelbetreiber an Bisq 1 zurückgemeldet. Der Benutzer wird auch bei Bisq 1 gesperrt.", + "reputation.source.PROFILE_AGE" to "Profilalter", + "reputation.bond.howTo" to "1. Wähle das Benutzerprofil aus, für das du die Reputation anhängen möchtest.\n2. Kopiere die 'Profil-ID'\n3. Öffne Bisq 1 und gehe zu 'DAO/KOPPLUNG/GEKOPPELTES ANSEHEN' und füge den kopierten Wert in das Feld 'Salt' ein.\n4. Gib die Menge an BSQ ein, die du sperren möchtest, und die Sperrzeit (min. 50 000 Blöcke) an.\n5. Veröffentliche die Sperrtransaktion.\n6. Nach der Bestätigung durch die Blockchain wird deine Reputation in deinem Profil sichtbar.", + "reputation.table.columns.details" to "Details", + "reputation.details.table.columns.score" to "Wert", + "reputation.bond.infoHeadline" to "Finanzielle Bindung", + "user.bondedRoles.registration.node.showKeyPair" to "Schlüssel anzeigen", + "user.bondedRoles.table.columns.userProfile.defaultNode" to "Knoten-Betreiber mit statisch bereitgestelltem Schlüssel", + "reputation.signedWitness.import.step1.title" to "Schritt 1", + "user.bondedRoles.type.MODERATOR.how.inline" to "ein Moderator", + "user.bondedRoles.cancellation.requestCancellation" to "Stornierungsanfrage stellen", + "user.bondedRoles.verification.howTo.nodes" to "Wie überprüft man einen Netzwerkknoten?", + "user.bondedRoles.registration.how.info" to "1. Wählen Sie das Benutzerprofil aus, das Sie für die Registrierung verwenden möchten, und erstellen Sie eine Sicherungskopie Ihres Datenverzeichnisses.\n3. Stellen Sie unter 'https://github.com/bisq-network/proposals' einen Antrag, um {0} zu werden, und fügen Sie Ihre Profil-ID dem Antrag hinzu.\n4. Nachdem Ihr Vorschlag geprüft und von der Community unterstützt wurde, machen Sie einen DAO-Vorschlag für eine Rolle mit hinterlegtem Pfand.\n5. Sperren Sie nach Annahme Ihres DAO-Vorschlags durch die DAO-Abstimmung den erforderlichen BSQ-Bond.\n6. Nach Bestätigung Ihrer Bond-Transaktion gehen Sie zu 'DAO/Kopplung/Gekoppelte Rollen' in Bisq 1 und klicken Sie auf die Schaltfläche 'Signieren', um das Popup-Fenster zur Signierung zu öffnen.\n7. Kopieren Sie die Profil-ID und fügen Sie sie in das Nachrichtenfeld ein. Klicken Sie auf Signieren, kopieren Sie die Signatur und fügen Sie sie in das Bisq 2-Signaturfeld ein.\n8. Geben Sie den Bond-Inhaber-Benutzernamen ein.\n{1}", + "reputation.accountAge.score.headline" to "Auswirkungen auf die Reputation", + "user.bondedRoles.table.columns.userProfile" to "Nutzerprofil", + "reputation.accountAge.import.step1.title" to "Schritt 1", + "reputation.signedWitness.import.step3.title" to "Schritt 3", + "user.bondedRoles.registration.profileId" to "Profil-ID", + "user.bondedRoles.type.ARBITRATOR" to "Schiedsrichter", + "user.bondedRoles.type.ORACLE_NODE.how.inline" to "ein Oracle-Knotenbetreiber", + "reputation.pubKeyHash" to "Profil-ID", + "reputation.reputationScore.sellerReputation" to "Die Reputation eines Verkäufers ist das beste Signal,\num die Wahrscheinlichkeit eines erfolgreichen Handels in Bisq Easy vorherzusagen.", + "user.bondedRoles.table.columns.signature" to "Signatur", + "user.bondedRoles.registration.node.pubKey" to "Öffentlicher Schlüssel", + "user.bondedRoles.type.EXPLORER_NODE.about.inline" to "Explorer-Knoten-Betreiber", + "user.bondedRoles.table.columns.profileId" to "Profil-ID", + "user.bondedRoles.type.MARKET_PRICE_NODE.about.inline" to "Marktpreis-Knoten-Betreiber", + "reputation.source.BISQ1_SIGNED_ACCOUNT_AGE_WITNESS" to "Signierter Zeuge", + "reputation.accountAge.import.step3.instruction1" to "3.1. - Öffne Bisq 1 und gehe zu 'KONTO/NATIONALE WÄHRUNGSKONTEN'.", + "reputation.accountAge.import.step3.instruction2" to "3.2. - Wähle das älteste Konto aus und klicke auf 'ALTER DES KONTOS FÜR BISQ 2 EXPORTIEREN'.", + "reputation.accountAge.import.step3.instruction3" to "3.3. - Dies fügt eine signierte Nachricht mit der Profil-ID von Bisq 2 hinzu.", + "user.bondedRoles.table.columns.node.address.popup.headline" to "Adressdaten des Knotens", + "reputation.reputationScore.explanation.score.description" to "Dies ist die Gesamtbewertung, die ein Verkäufer bisher aufgebaut hat.\nDie Bewertung kann auf verschiedene Weise erhöht werden. Der beste Weg dazu ist das Burnen oder Koppeln von BSQ. Das bedeutet, dass der Verkäufer im Voraus einen Einsatz geleistet hat und daher als vertrauenswürdig angesehen werden kann.\nWeitere Informationen zur Erhöhung der Bewertung finden Sie im Abschnitt 'Reputation aufbauen'.\nEs wird empfohlen, mit Verkäufern zu handeln, die die höchste Bewertung haben.", + "reputation.details.table.columns.source" to "Typ", + "reputation.sim.burnAmount" to "BSQ-Menge", + "reputation.buildReputation.burnBsq.description" to "Dies ist die stärkste Form der Reputation.\nDie durch das Burnen von BSQ gewonnene Punktzahl verdoppelt sich im ersten Jahr.", + "user.bondedRoles.registration.failed" to "Senden der Registrierungsanfrage fehlgeschlagen.\n\n{0}", + "user.bondedRoles.type.ORACLE_NODE" to "Orakelknoten", + "user.bondedRoles.table.headline.nodes" to "Registrierte Netzwerkknoten", + "user.bondedRoles.headline.nodes" to "Netzwerkknoten", + "user.bondedRoles.registration.bondHolderName.prompt" to "Geben Sie den Benutzernamen des Bisq 1-Bond-Inhabers ein", + "reputation.burnedBsq.info2" to "Das wird durch die Konkurrenz der Verkäufer bestimmt. Verkäufer mit der höchsten Reputation haben bessere Handelsmöglichkeiten und können einen höheren Preis erzielen. Die Top 3 Angebote nach Reputation werden im Bildschirm 'Bitcoin kaufen' beworben.\n\nMengen unter 20 BSQ bieten möglicherweise nicht das erforderliche Mindestmaß an Sicherheit, um das Vertrauen eines Käufers aufzubauen (abhängig vom Markt und den gehandelten Mengen).\n\nWenn das Entwerten von BSQ unerwünscht ist, erwäge die anderen verfügbaren Optionen zum Aufbau der Reputation.", + "reputation.reputationScore.explanation.ranking.title" to "Rangfolge", + "reputation.sim.headline" to "Simulationswerkzeug:", + "reputation.accountAge.totalScore" to "Alter des Kontos in Tagen * Gewichtungsfaktor", + "user.bondedRoles.table.columns.node" to "Knoten", + "user.bondedRoles.verification.howTo.roles" to "Wie überprüft man eine Rolle mit hinterlegtem Pfand?", + "reputation.signedWitness.import.step2.profileId" to "Profil-ID (In den Kontoscreen von Bisq 1 einfügen)", + "reputation.bond.totalScore" to "BSQ-Betrag * Gewicht * (1 + Alter / 365)", + "user.bondedRoles.type.ORACLE_NODE.about.inline" to "Orakelknoten-Betreiber", + "reputation.table.columns.userProfile" to "Benutzerprofil", + "user.bondedRoles.registration.signature" to "Signatur", + "reputation.table.columns.livenessState" to "Zuletzt online", + "user.bondedRoles.table.headline.roles" to "Registrierte Rollen mit hinterlegtem Pfand", + "reputation.signedWitness.import.step4.title" to "Schritt 4", + "user.bondedRoles.type.EXPLORER_NODE" to "Explorer-Knoten", + "user.bondedRoles.type.MEDIATOR.about.inline" to "Mediator", + "user.bondedRoles.type.EXPLORER_NODE.how.inline" to "ein Explorer-Knotenbetreiber", + "user.bondedRoles.registration.success" to "Die Registrierungsanfrage wurde erfolgreich gesendet. Sie sehen in der Tabelle unten, ob die Registrierung erfolgreich überprüft und vom Oracle-Knoten veröffentlicht wurde.", + "reputation.signedWitness.infoHeadline2" to "Datenschutzimplikationen", + "user.bondedRoles.type.SEED_NODE.how.inline" to "ein Seed-Knotenbetreiber", + "reputation.buildReputation.headline" to "Reputation aufbauen", + "reputation.reputationScore.headline" to "Reputationsbewertung", + "user.bondedRoles.registration.node.importAddress" to "Knoten importieren", + "user.bondedRoles.registration.how.info.role" to "9. Klicken Sie auf die Schaltfläche 'Registrierung anfordern'. Wenn alles korrekt war, wird Ihre Registrierung in der Tabelle der registrierten Rollen mit hinterlegtem Pfand sichtbar.", + "user.bondedRoles.table.columns.bondUserName" to "Bond-Benutzername", + ), + "chat" to mapOf( + "chat.message.wasEdited" to "(bearbeitet)", + "support.support.description" to "Kanal für Support", + "chat.sideBar.userProfile.headline" to "Benutzerprofil", + "chat.message.reactionPopup" to "hat reagiert mit", + "chat.listView.scrollDown" to "Nach unten scrollen", + "chat.message.privateMessage" to "Private Nachricht senden", + "chat.notifications.offerTaken.message" to "Trade-ID: {0}", + "discussion.bisq.description" to "Öffentlicher Kanal für Diskussionen", + "chat.reportToModerator.info" to "Bitte mache dich mit den Handelsregeln vertraut und stelle sicher, dass der Grund für die Meldung als Verstoß gegen diese Regeln angesehen wird.\nDu kannst die Handels- und Chatregeln nachlesen, indem du auf das Fragezeichen-Symbol in der oberen rechten Ecke der Chat-Bildschirme klickst.", + "chat.notificationsSettingsMenu.all" to "Alle Nachrichten", + "chat.message.deliveryState.ADDED_TO_MAILBOX" to "Nachricht im Postfach des Empfängers abgelegt.", + "chat.channelDomain.SUPPORT" to "Support", + "chat.sideBar.userProfile.ignore" to "Ignorieren", + "chat.sideBar.channelInfo.notifications.off" to "Deaktiviert", + "support.support.title" to "Unterstützung", + "discussion.bitcoin.title" to "Bitcoin", + "chat.ignoreUser.warn" to "'Benutzer ignorieren' auszuwählen wird effektiv alle Nachrichten dieses Benutzers verbergen.\n\nDiese Aktion wird beim nächsten Betreten des Chats wirksam.\n\nUm dies rückgängig zu machen, gehe zum Menü Mehr Optionen > Kanalinfo > Teilnehmer und wähle 'Ignorieren rückgängig machen' neben dem Benutzer.", + "events.meetups.description" to "Kanal für Ankündigungen zu Meetups", + "chat.message.deliveryState.FAILED" to "Nachricht senden fehlgeschlagen.", + "chat.sideBar.channelInfo.notifications.all" to "Alle Nachrichten", + "discussion.bitcoin.description" to "Kanal für Diskussionen über Bitcoin", + "chat.message.input.prompt" to "Neue Nachricht eingeben", + "chat.channelDomain.BISQ_EASY_OFFERBOOK" to "Bisq Easy", + "chat.message.takeOffer.buyer.makersReputationScoreTooLow.no" to "Nein, ich suche nach einem anderen Angebot", + "chat.ellipsisMenu.tradeGuide" to "Handelsanleitung", + "chat.chatRules.content" to "- Sei respektvoll: Behandle andere freundlich, vermeide beleidigende Sprache, persönliche Angriffe und Belästigung.- Sei tolerant: Halte einen offenen Geist und akzeptiere, dass andere unterschiedliche Ansichten, kulturellen Hintergrund und Erfahrungen haben könnten.- Kein Spamming: Verzichte darauf, den Chat mit wiederholten oder irrelevante Nachrichten zu überfluten.- Keine Werbung: Vermeide die Bewerbung von kommerziellen Produkten, Dienstleistungen oder das Posten von Werbelinks.- Kein Trollen: Störendes Verhalten und absichtliche Provokation sind nicht erwünscht.- Keine Nachahmung: Verwende keine Nicknamen, die andere irreführen könnten und denken lassen, dass du eine bekannte Person bist.- Respektiere die Privatsphäre: Schütze deine und die Privatsphäre anderer, teile keine Handelsdetails.- Melde Fehlverhalten: Melde Regelverstöße oder unangemessenes Verhalten dem Moderator.- Genieße den Chat: Beteilige dich an sinnvollen Diskussionen, finde Freunde und habe Spaß in einer freundlichen undinklusiven Gemeinschaft.\n\nDurch die Teilnahme am Chat stimmst du diesen Regeln zu.\nSchwere Regelverstöße können zu einem Verbot im Bisq-Netzwerk führen.", + "chat.messagebox.noChats.placeholder.description" to "Treten Sie der Diskussion auf {0} bei, um Ihre Gedanken zu teilen und Fragen zu stellen.", + "chat.channelDomain.BISQ_EASY_OPEN_TRADES" to "Bisq Easy Trades", + "chat.message.deliveryState.MAILBOX_MSG_RECEIVED" to "Empfänger hat die Nachricht aus dem Postfach heruntergeladen.", + "chat.message.takeOffer.buyer.makersReputationScoreTooLow.warning" to "Die Reputationsbewertung des Verkäufers von {0} liegt unter der erforderlichen Bewertung von {1} für einen Handelsbetrag von {2}.\n\nDas Sicherheitsmodell von Bisq Easy basiert auf der Reputation des Verkäufers, da der Käufer zuerst die Fiat-Währung senden muss. Wenn du dich entscheidest, das Angebot trotz der fehlenden Reputation anzunehmen, stelle sicher, dass du die damit verbundenen Risiken vollständig verstehst.\n\nUm mehr über das Reputationssystem zu erfahren, besuche: [HYPERLINK:https://bisq.wiki/Reputation].\n\nMöchtest du fortfahren und dieses Angebot annehmen?", + "chat.message.input.send" to "Nachricht senden", + "chat.message.send.offerOnly.warn" to "Du hast die Option 'Nur Angebote' ausgewählt. Normale Textnachrichten werden in diesem Modus nicht angezeigt.\n\nMöchtest du den Modus ändern, um alle Nachrichten zu sehen?", + "chat.notificationsSettingsMenu.title" to "Benachrichtigungsoptionen:", + "chat.notificationsSettingsMenu.globalDefault" to "Standard verwenden", + "chat.privateChannel.message.leave" to "{0} hat den Chat verlassen", + "chat.channelDomain.BISQ_EASY_PRIVATE_CHAT" to "Bisq Easy", + "chat.sideBar.userProfile.profileAge" to "Profilalter", + "events.tradeEvents.description" to "Kanal für Ankündigungen zu Handelsereignissen", + "chat.sideBar.userProfile.mention" to "Erwähnung", + "chat.notificationsSettingsMenu.off" to "Aus", + "chat.private.leaveChat.confirmation" to "Sind Sie sicher, dass Sie diesen Chat verlassen möchten?\nSie verlieren den Zugang zum Chat und alle Chatinformationen.", + "chat.reportToModerator.message.prompt" to "Gebe eine Nachricht an den Moderator ein", + "chat.message.resendMessage" to "Klicken, um die Nachricht erneut zu senden.", + "chat.reportToModerator.headline" to "An Moderator melden", + "chat.sideBar.userProfile.livenessState" to "Zuletzt online", + "chat.privateChannel.changeUserProfile.warn" to "Du befindest dich in einem privaten Chatkanal, der mit dem Benutzerprofil ''{0}'' erstellt wurde.\n\nDu kannst das Benutzerprofil nicht ändern, solange du sich in diesem Chatkanal befindest.", + "chat.message.contextMenu.ignoreUser" to "Benutzer ignorieren", + "chat.message.contextMenu.reportUser" to "Benutzer an Moderator melden", + "chat.leave.info" to "Du bist dabei, diesen Chat zu verlassen.", + "chat.messagebox.noChats.placeholder.title" to "Beginnen Sie die Unterhaltung!", + "support.questions.description" to "Kanal für allgemeine Fragen", + "chat.message.deliveryState.CONNECTING" to "Verbindung zum Empfänger wird hergestellt.", + "chat.message.takeOffer.buyer.makersReputationScoreTooLow.yes" to "Ja, ich verstehe das Risiko und möchte fortfahren", + "discussion.markets.title" to "Märkte", + "chat.notificationsSettingsMenu.tooltip" to "Benachrichtigungsoptionen", + "chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.warning" to "Die Reputationsbewertung des Verkäufers beträgt {0}, was unter der erforderlichen Bewertung von {1} für einen Handelsbetrag von {2} liegt.\n\nDa der Handelsbetrag relativ niedrig ist, wurden die Anforderungen an die Reputation gelockert. Wenn du jedoch trotz der unzureichenden Reputation des Verkäufers fortfahren möchtest, stelle sicher, dass du die damit verbundenen Risiken vollständig verstehst. Das Sicherheitsmodell von Bisq Easy hängt von der Reputation des Verkäufers ab, da der Käufer zuerst Fiat-Währung senden muss.\n\nUm mehr über das Reputationssystem zu erfahren, besuche: [HYPERLINK:https://bisq.wiki/Reputation].\n\nMöchtest du das Angebot trotzdem annehmen?", + "chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.yes" to "Ja, ich verstehe das Risiko und möchte fortfahren", + "chat.message.supportedLanguages" to "Unterstützte Sprachen:", + "chat.sideBar.userProfile.totalReputationScore" to "Gesamte Reputation", + "chat.topMenu.chatRules.tooltip" to "Chatregeln öffnen", + "support.reports.description" to "Kanal für Betrugsberichte", + "events.podcasts.title" to "Podcasts", + "chat.sideBar.userProfile.statement" to "Erklärung", + "chat.sideBar.userProfile.sendPrivateMessage" to "Private Nachricht senden", + "chat.sideBar.userProfile.undoIgnore" to "Ignorierung aufheben", + "chat.channelDomain.DISCUSSION" to "Diskussionen", + "chat.message.delete.differentUserProfile.warn" to "Diese Chatnachricht wurde mit einem anderen Benutzerprofil erstellt.\n\nMöchtest du die Nachricht löschen?", + "chat.message.moreOptions" to "Mehr Optionen", + "chat.private.messagebox.noChats.title" to "{0} private Unterhaltungen", + "chat.reportToModerator.report" to "An Moderator melden", + "chat.message.deliveryState.ACK_RECEIVED" to "Empfang der Nachricht bestätigt.", + "events.tradeEvents.title" to "Handelsereignisse", + "discussion.bisq.title" to "Diskussionen", + "chat.private.messagebox.noChats.placeholder.title" to "Du hast keine laufenden Unterhaltungen", + "chat.sideBar.userProfile.id" to "Benutzer-ID", + "chat.sideBar.userProfile.transportAddress" to "Transportadresse", + "chat.sideBar.userProfile.version" to "Version", + "chat.listView.scrollDown.newMessages" to "Nach unten scrollen, um neue Nachrichten zu lesen", + "chat.sideBar.userProfile.nym" to "Bot-ID", + "chat.message.takeOffer.seller.myReputationScoreTooLow.warning" to "Deine Reputationsbewertung beträgt {0} und liegt unter der erforderlichen Reputationsbewertung von {1} für den Handelsbetrag von {2}.\n\nDas Sicherheitsmodell von Bisq Easy basiert auf der Reputation des Verkäufers.\nUm mehr über das Reputationssystem zu erfahren, besuche: [HYPERLINK:https://bisq.wiki/Reputation].\n\nDu kannst mehr darüber lesen, wie du deine Reputation aufbauen kannst unter ''Reputation/Build Reputation''.", + "chat.private.messagebox.noChats.placeholder.description" to "Um mit einem Partner privat zu chatten, fahre mit der Maus über seine Nachricht in einem\nöffentlichen Chat und klicke auf 'Private Nachricht senden'.", + "chat.message.takeOffer.seller.myReputationScoreTooLow.headline" to "Deine Reputationsbewertung ist zu niedrig, um dieses Angebot anzunehmen", + "chat.sideBar.channelInfo.participants" to "Teilnehmer", + "events.podcasts.description" to "Kanal für Ankündigungen zu Podcasts", + "chat.message.deliveryState.SENT" to "Nachricht gesendet (Empfang noch nicht bestätigt).", + "chat.message.offer.offerAlreadyTaken.warn" to "Du hast dieses Angebot bereits angenommen.", + "chat.message.supportedLanguages.Tooltip" to "Unterstützte Sprachen", + "chat.ellipsisMenu.channelInfo" to "Kanalinformationen", + "discussion.markets.description" to "Kanal für Diskussionen über Märkte und Preise", + "chat.topMenu.tradeGuide.tooltip" to "Handelsanleitung öffnen", + "chat.sideBar.channelInfo.notifications.mention" to "Bei Erwähnung", + "chat.message.send.differentUserProfile.warn" to "Du hast in diesem Kanal ein anderes Benutzerprofil verwendet.\n\nBist du sicher, dass du die Nachricht mit dem derzeit ausgewählten Benutzerprofil senden möchtest?", + "events.meetups.title" to "Meetups", + "chat.message.citation.headline" to "Antwort auf:", + "chat.notifications.offerTaken.title" to "Dein Angebot wurde von {0} angenommen", + "chat.message.takeOffer.buyer.makersReputationScoreTooLow.headline" to "Sicherheitswarnung", + "chat.ignoreUser.confirm" to "Benutzer ignorieren", + "chat.chatRules.headline" to "Chatregeln", + "discussion.offTopic.description" to "Kanal für Off-Topic-Gespräche", + "chat.leave.confirmLeaveChat" to "Chat verlassen", + "chat.sideBar.channelInfo.notifications.globalDefault" to "Standard verwenden", + "support.reports.title" to "Betrugsbericht", + "chat.message.reply" to "Antworten", + "support.questions.title" to "Fragen", + "chat.sideBar.channelInfo.notification.options" to "Benachrichtigungsoptionen", + "chat.reportToModerator.message" to "Nachricht an Moderator", + "chat.sideBar.userProfile.terms" to "Handelsbedingungen", + "chat.leave" to "Hier klicken zum Verlassen", + "chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.headline" to "Bitte überprüfen Sie die Risiken, wenn Sie dieses Angebot annehmen.", + "events.conferences.description" to "Kanal für Ankündigungen zu Konferenzen", + "discussion.offTopic.title" to "Off-Topic", + "chat.ellipsisMenu.chatRules" to "Chatregeln", + "chat.notificationsSettingsMenu.mention" to "Bei Erwähnung", + "events.conferences.title" to "Konferenzen", + "chat.ellipsisMenu.tooltip" to "Mehr Optionen", + "chat.private.openChatsList.headline" to "Chatpartner", + "chat.notifications.privateMessage.headline" to "Private Nachricht", + "chat.channelDomain.EVENTS" to "Ereignisse", + "chat.sideBar.userProfile.report" to "An Moderator melden", + "chat.message.deliveryState.TRY_ADD_TO_MAILBOX" to "Versuche, Nachricht im Postfach des Empfängers abzulegen.", + "chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.no" to "Nein, ich suche nach einem anderen Angebot", + "chat.private.title" to "Private Chats", + ), + "support" to mapOf( + "support.resources.guides.headline" to "Richtlinien", + "support.resources.resources.community" to "Bisq-Community bei Matrix", + "support.resources.backup.headline" to "Sicherung", + "support.resources.backup.setLocationButton" to "Sicherungsort festlegen", + "support.resources.resources.contribute" to "Wie Sie zu Bisq beitragen können", + "support.resources.backup.location.prompt" to "Sicherungsort festlegen", + "support.resources.legal.license" to "Software-Lizenz (AGPLv3)", + "support.resources" to "Ressourcen", + "support.resources.backup.backupButton" to "Bisq-Datenverzeichnis sichern", + "support.resources.backup.destinationNotExist" to "Sicherungsziel ''{0}'' existiert nicht", + "support.resources.backup.selectLocation" to "Sicherungsort auswählen", + "support.resources.backup.location.invalid" to "Der Pfad des Sicherungsorts ist ungültig", + "support.resources.legal.headline" to "Rechtliches", + "support.resources.resources.webpage" to "Bisq-Webseite", + "support.resources.guides.chatRules" to "Chat-Richtlinien öffnen", + "support.resources.backup.location" to "Sicherungsort", + "support.resources.localData.openTorLogFile" to "Öffne die Tor 'debug.log' Datei", + "support.resources.legal.tac" to "Nutzervereinbarung öffnen", + "support.resources.localData.headline" to "Lokale Daten", + "support.resources.backup.success" to "Sicherung erfolgreich gespeichert unter:\n{0}", + "support.resources.backup.location.help" to "Sicherung ist nicht verschlüsselt", + "support.resources.localData.openDataDir" to "Bisq-Datenverzeichnis öffnen", + "support.resources.resources.dao" to "Über die Bisq-DAO", + "support.resources.resources.sourceCode" to "GitHub-Quellcode-Repository", + "support.resources.resources.headline" to "Webressourcen", + "support.resources.localData.openLogFile" to "Öffne die Datei 'bisq.log'", + "support.resources.guides.tradeGuide" to "Handelsanleitung öffnen", + "support.resources.guides.walletGuide" to "Wallet-Anleitung öffnen", + "support.assistance" to "Unterstützung", + ), + "user" to mapOf( + "user.password.savePassword.success" to "Passwortschutz aktiviert.", + "user.bondedRoles.userProfile.select.invalid" to "Bitte wählen Sie ein Benutzerprofil aus der Liste", + "user.paymentAccounts.noAccounts.whySetup" to "Wieso ist die Einrichtung eines Kontos nützlich?", + "user.paymentAccounts.deleteAccount" to "Zahlungskonto löschen", + "user.userProfile.terms.tooLong" to "Handelsbedingungen dürfen nicht länger als {0} Zeichen sein", + "user.password.enterPassword" to "Passwort eingeben (min. 8 Zeichen)", + "user.userProfile.statement.tooLong" to "Aussage darf nicht länger als {0} Zeichen sein", + "user.paymentAccounts.createAccount.subtitle" to "Das Zahlungskonto wird ausschließlich lokal auf Ihrem Computer gespeichert und nur an Ihren Handelspartner gesendet, wenn Sie sich dazu entscheiden.", + "user.password.confirmPassword" to "Passwort bestätigen", + "user.userProfile.popup.noSelectedProfile" to "Bitte wählen Sie ein Benutzerprofil aus der Liste", + "user.userProfile.statement.prompt" to "Geben Sie optional eine Aussage ein", + "user.userProfile.comboBox.description" to "Benutzerprofil", + "user.userProfile.save.popup.noChangesToBeSaved" to "Es gibt keine neuen Änderungen, die gespeichert werden müssen", + "user.userProfile.livenessState" to "Zuletzt online: Vor {0}", + "user.userProfile.statement" to "Aussage", + "user.paymentAccounts.accountData" to "Informationen zum Zahlungskonto", + "user.paymentAccounts.createAccount" to "Neues Zahlungskonto erstellen", + "user.paymentAccounts.noAccounts.whySetup.info" to "Wenn Sie Bitcoin verkaufen, müssen Sie dem Käufer Ihre Kontodaten für den Erhalt der Fiat-Zahlung bereitstellen. Die vorherige Einrichtung von Konten ermöglicht einen schnellen und bequemen Zugriff auf diese Informationen während des Handels.", + "user.userProfile.deleteProfile" to "Profil löschen", + "user.userProfile.reputation" to "Reputation", + "user.userProfile.learnMore" to "Warum ein neues Profil erstellen?", + "user.userProfile.terms" to "Handelsbedingungen", + "user.userProfile.deleteProfile.popup.warning" to "Wollen Sie {0} wirklich löschen? Dieser Vorgang kann nicht rückgängig gemacht werden.", + "user.paymentAccounts.createAccount.sameName" to "Dieser Name wird bereits verwendet. Bitte wählen Sie einen anderen Namen.", + "user.userProfile" to "Benutzerprofil", + "user.password" to "Passwort", + "user.userProfile.nymId" to "Bot-ID", + "user.paymentAccounts" to "Zahlungskonten", + "user.paymentAccounts.createAccount.accountData.prompt" to "Geben Sie die Informationen zum Zahlungskonto ein (z. B. Bankkontodaten), die Sie einem potenziellen Bitcoin-Käufer zur Verfügung stellen möchten, damit dieser Ihnen den Betrag in nationaler Währung überweisen kann.", + "user.paymentAccounts.headline" to "Ihre Zahlungskonten", + "user.userProfile.addressByTransport.I2P" to "I2P-Adresse: {0}", + "user.userProfile.livenessState.description" to "Letzte Benutzeraktivität", + "user.paymentAccounts.selectAccount" to "Zahlungskonto auswählen", + "user.userProfile.new.statement" to "Aussage", + "user.userProfile.terms.prompt" to "Geben Sie optional Handelsbedingungen ein", + "user.password.headline.removePassword" to "Passwortschutz entfernen", + "user.bondedRoles.userProfile.select" to "Wähle Benutzerprofil", + "user.userProfile.userName.banned" to "[Gesperrt] {0}", + "user.paymentAccounts.createAccount.accountName" to "Name des Zahlungskontos", + "user.userProfile.new.terms" to "Ihre Handelsbedingungen", + "user.paymentAccounts.noAccounts.info" to "Sie haben noch keine Zahlungskonten eingerichtet.", + "user.paymentAccounts.noAccounts.whySetup.note" to "Hintergrundinformationen:\nIhre Kontodaten werden ausschließlich lokal auf Ihrem Computer gespeichert und werden nur mit Ihrem Handelspartner geteilt, wenn Sie sich dafür entscheiden.", + "user.userProfile.profileAge.tooltip" to "Das 'Profilalter' ist das Alter in Tagen dieses Benutzerprofils.", + "user.userProfile.deleteProfile.popup.warning.yes" to "Ja, Profil löschen", + "user.userProfile.version" to "Version: {0}", + "user.userProfile.profileAge" to "Profilalter", + "user.userProfile.tooltip" to "Spitzname: {0}\nBot-ID: {1}\nProfil-ID: {2}\n{3}", + "user.userProfile.new.step2.subTitle" to "Sie können optional eine personalisierte Aussage zu Ihrem Profil hinzufügen und Ihre Handelsbedingungen festlegen.", + "user.paymentAccounts.createAccount.accountName.prompt" to "Legen Sie einen eindeutigen Namen für Ihr Zahlungskonto fest", + "user.userProfile.addressByTransport.CLEAR" to "Clear net-Adresse: {0}", + "user.password.headline.setPassword" to "Passwortschutz festlegen", + "user.password.button.removePassword" to "Passwortschutz entfernen", + "user.password.removePassword.failed" to "Ungültiges Passwort.", + "user.userProfile.livenessState.tooltip" to "Die vergangene Zeit seitdem das Benutzerprofil aufgrund von Benutzeraktivitäten wie Mausbewegungen erneut im Netzwerk veröffentlicht wurde.", + "user.userProfile.tooltip.banned" to "Dieses Profil ist gesperrt!", + "user.userProfile.addressByTransport.TOR" to "Tor-Adresse: {0}", + "user.userProfile.new.step2.headline" to "Vervollständige dein Profil", + "user.password.removePassword.success" to "Passwortschutz entfernt.", + "user.userProfile.livenessState.ageDisplay" to "Vor {0}", + "user.userProfile.createNewProfile" to "Neues Profil erstellen", + "user.userProfile.new.terms.prompt" to "Optionale Handelsbedingungen festlegen", + "user.userProfile.profileId" to "Profil-ID", + "user.userProfile.deleteProfile.cannotDelete" to "Löschen des Benutzerprofils ist nicht erlaubt\n\nUm dieses Profil zu löschen, führen Sie folgende Schritte aus:\n- Löschen Sie alle mit diesem Profil verfassten Nachrichten\n- Schließen Sie alle privaten Kanäle für dieses Profil\n- Stellen Sie sicher, dass Sie mindestens ein weiteres Profil besitzen", + "user.paymentAccounts.noAccounts.headline" to "Ihre Zahlungskonten", + "user.paymentAccounts.createAccount.headline" to "Neues Zahlungskonto hinzufügen", + "user.userProfile.nymId.tooltip" to "Die 'Bot-ID' wird aus dem Hash des öffentlichen Schlüssels der Identität dieses\nBenutzerprofil erstellt.\nSie wird an den Spitznamen angehängt, falls es mehrere Benutzerprofile im Netzwerk mit demselben\nSpitznamen gibt, um diese Profile eindeutig voneinander zu unterscheiden.", + "user.userProfile.new.statement.prompt" to "Optionale Aussage hinzufügen", + "user.password.button.savePassword" to "Passwort speichern", + "user.userProfile.profileId.tooltip" to "Die 'Profil-ID' ist der Hash des öffentlichen Schlüssels der Identität dieses Benutzerprofils,\nkodiert als hexadezimaler String.", + ), + "network" to mapOf( + "network.version.localVersion.headline" to "Lokale Versionsinfo", + "network.nodes.header.numConnections" to "Anzahl der Verbindungen", + "network.transport.traffic.sent.details" to "Gesendete Daten: {0}\nZeit für das Senden der Nachricht: {1}\nAnzahl der Nachrichten: {2}\nAnzahl der Nachrichten nach Klassenname: {3}\nVerteilte Daten nach Klassenname: {4}", + "network.nodes.type.active" to "Benutzerknoten (aktiv)", + "network.connections.outbound" to "Ausgehend", + "network.transport.systemLoad.details" to "Größe der gespeicherten Netzdaten: {0}\nAktuelle Netzauslastung: {1}\nDurchschnittliche Netzauslastung: {2}", + "network.transport.headline.CLEAR" to "Klar-Netz", + "network.nodeInfo.myAddress" to "Meine Standardadresse", + "network.version.versionDistribution.version" to "Version {0}", + "network.transport.headline.I2P" to "I2P", + "network.version.versionDistribution.tooltipLine" to "{0} Benutzerprofile mit Version ''{1}''", + "network.transport.pow.details" to "Gesamtzeit: {0}\nDurchschnittliche Zeit pro Nachricht: {1}\nAnzahl der Nachrichten: {2}", + "network.nodes.header.type" to "Typ", + "network.transport.pow.headline" to "Arbeitsnachweis", + "network.header.nodeTag" to "Knotenbezeichnung", + "network.nodes.title" to "Meine Knoten", + "network.connections.ioData" to "{0} / {1} Nachrichten", + "network.connections.title" to "Verbindungen", + "network.connections.header.peer" to "Peer", + "network.nodes.header.keyId" to "Schlüssel-ID", + "network.version.localVersion.details" to "Bisq Version: v{0}\nCommit-Hash: {1}\nTor Version: v{2}", + "network.nodes.header.address" to "Serveradresse", + "network.connections.seed" to "Seed-Knoten", + "network.p2pNetwork" to "P2P-Netzwerk", + "network.transport.traffic.received.details" to "Empfangene Daten: {0}\nZeit für die Deserialisierung der Nachricht: {1}\nAnzahl der Nachrichten: {2}\nAnzahl der Nachrichten nach Klassenname: {3}\nVerteilte Daten nach Klassenname: {4}", + "network.nodes" to "Infrastrukturknoten", + "network.connections.inbound" to "Eingehend", + "network.header.nodeTag.tooltip" to "Identitätsbezeichnung: {0}", + "network.version.versionDistribution.oldVersions" to "2.0.4 (oder früher)", + "network.nodes.type.retired" to "Benutzerknoten (nicht aktiv)", + "network.transport.traffic.sent.headline" to "Ausgehender Verkehr der letzten Stunde", + "network.roles" to "Rollen mit hinterlegtem Pfand", + "network.connections.header.sentHeader" to "Gesendet", + "network.connections.header.receivedHeader" to "Empfangen", + "network.nodes.type.default" to "Gossip-Knoten", + "network.version.headline" to "Versionsverteilung", + "network.myNetworkNode" to "Mein Netzwerkknoten", + "network.transport.headline.TOR" to "Tor", + "network.connections.header.connectionDirection" to "Eingehend/Ausgehend", + "network.transport.traffic.received.headline" to "Eingehender Verkehr der letzten Stunde", + "network.transport.systemLoad.headline" to "Systemauslastung", + "network.connections.header.rtt" to "RTT", + "network.connections.header.address" to "Adresse", + ), + "settings" to mapOf( + "settings.language.supported.select" to "Sprache auswählen", + "settings.network.difficultyAdjustmentFactor.ignoreValueFromSecManager" to "Wert vom Bisq-Sicherheitsmanager ignorieren", + "settings.notification.option.off" to "Aus", + "settings.network.difficultyAdjustmentFactor.description.self" to "Benutzerdefinierter PoW-Schwierigkeitsanpassungsfaktor", + "settings.backup.totalMaxBackupSizeInMB.info.tooltip" to "Wichtige Daten werden automatisch im Datenverzeichnis gesichert, wann immer Updates vorgenommen werden,\nfolgend dieser Aufbewahrungsstrategie:\n - Letzte Stunde: Maximal ein Backup pro Minute aufbewahren.\n - Letzter Tag: Ein Backup pro Stunde aufbewahren.\n - Letzte Woche: Ein Backup pro Tag aufbewahren.\n - Letzter Monat: Ein Backup pro Woche aufbewahren.\n - Letztes Jahr: Ein Backup pro Monat aufbewahren.\n - Vorherige Jahre: Ein Backup pro Jahr aufbewahren.\n\nBitte beachten Sie, dass dieser Backup-Mechanismus nicht vor Festplattenausfällen schützt.\nFür besseren Schutz empfehlen wir dringend, manuelle Backups auf einer alternativen Festplatte zu erstellen.", + "settings.notification.option.all" to "Alle Chatnachrichten", + "settings.display" to "Anzeige", + "settings.trade" to "Angebot und Handel", + "settings.trade.maxTradePriceDeviation" to "Maximale Handelspreisabweichung", + "settings.backup.totalMaxBackupSizeInMB.description" to "Max. Größe in MB für automatische Backups", + "settings.language.supported.headline" to "Unterstützte Sprachen hinzufügen", + "settings.misc" to "Sonstiges", + "settings.trade.headline" to "Angebots- und Handelseinstellungen", + "settings.trade.maxTradePriceDeviation.invalid" to "Muss ein Wert zwischen 1 und {0}% sein", + "settings.backup.totalMaxBackupSizeInMB.invalid" to "Muss ein Wert zwischen {0} MB und {1} MB sein", + "settings.language.supported.addButton.tooltip" to "Ausgewählte Sprache zur Liste hinzufügen", + "settings.language.supported.subHeadLine" to "Sprachen, die Sie fließend sprechen", + "settings.display.useAnimations" to "Animationen verwenden", + "settings.notification.notifyForPreRelease" to "Über Vorabversionen benachrichtigen", + "settings.language.select.invalid" to "Bitte eine Sprache aus der Liste auswählen", + "settings.notification.options" to "Benachrichtigungsoptionen", + "settings.notification.useTransientNotifications" to "Vorübergehende Benachrichtigungen verwenden", + "settings.language.headline" to "Sprachauswahl", + "settings.language.supported.invalid" to "Bitte eine Sprache aus der Liste auswählen", + "settings.language.restart" to "Um die neue Sprache anzuwenden, muss die Anwendung neu gestartet werden", + "settings.backup.headline" to "Backup-Einstellungen", + "settings.notification.option.mention" to "Bei Erwähnung", + "settings.notification.clearNotifications" to "Benachrichtigungen löschen", + "settings.display.preventStandbyMode" to "Ruhezustand verhindern", + "settings.notifications" to "Benachrichtigungen", + "settings.network.headline" to "Netzwerkeinstellungen", + "settings.language.supported.list.subHeadLine" to "Fließend in:", + "settings.trade.closeMyOfferWhenTaken" to "Mein Angebot schließen, wenn angenommen", + "settings.display.resetDontShowAgain" to "Alle 'Nicht erneut anzeigen'-Hinweise zurücksetzen", + "settings.language.select" to "Sprache auswählen", + "settings.network.difficultyAdjustmentFactor.description.fromSecManager" to "PoW-Schwierigkeitsanpassungsfaktor vom Bisq-Sicherheitsmanager", + "settings.language" to "Sprache", + "settings.display.headline" to "Anzeigeeinstellungen", + "settings.network.difficultyAdjustmentFactor.invalid" to "Muss eine Zahl zwischen 0 und {0} sein", + "settings.trade.maxTradePriceDeviation.help" to "Die maximale Handelspreisabweichung, die ein Anbieter toleriert, wenn sein Angebot angenommen wird.", + ), + "payment_method" to mapOf( + "F2F_SHORT" to "F2F", + "LN" to "BTC über Lightning Network", + "WISE_USD" to "Wise-USD", + "DOMESTIC_WIRE_TRANSFER_SHORT" to "Wire", + "MAIN_CHAIN_SHORT" to "Onchain", + "IMPS" to "Indien/IMPS", + "PAYTM" to "Indien/PayTM", + "RTGS" to "Indien/RTGS", + "MONESE" to "Monese", + "CIPS_SHORT" to "CIPS", + "MONEY_GRAM" to "MoneyGram", + "WISE" to "Wise", + "TIKKIE" to "Tikkie", + "UPI" to "Indien/UPI", + "BIZUM" to "Bizum", + "INTERAC_E_TRANSFER" to "Interac e-Transfer", + "LN_SHORT" to "Lightning", + "ALI_PAY" to "AliPay", + "NATIONAL_BANK" to "Nationale Banküberweisung", + "US_POSTAL_MONEY_ORDER" to "US-Postanweisung", + "JAPAN_BANK" to "Japan Bank Furikomi", + "NATIVE_CHAIN" to "Nativer Kettenübertragung", + "FASTER_PAYMENTS" to "Faster Payments", + "ADVANCED_CASH" to "Advanced Cash", + "F2F" to "Face-to-Face (persönlich)", + "SWIFT_SHORT" to "SWIFT", + "WECHAT_PAY" to "WeChat Pay", + "RBTC_SHORT" to "RSK", + "ACH_TRANSFER" to "ACH Transfer", + "CHASE_QUICK_PAY" to "Chase QuickPay", + "INTERNATIONAL_BANK_SHORT" to "Internationale Banken", + "HAL_CASH" to "HalCash", + "WESTERN_UNION" to "Western Union", + "ZELLE" to "Zelle", + "JAPAN_BANK_SHORT" to "Japan Furikomi", + "RBTC" to "RBTC (Gepflegtes BTC im RSK-Seitennetz)", + "SWISH" to "Swish", + "SAME_BANK" to "Überweisung mit derselben Bank", + "ACH_TRANSFER_SHORT" to "ACH", + "AMAZON_GIFT_CARD" to "Amazon eGift Card", + "PROMPT_PAY" to "PromptPay", + "LBTC" to "L-BTC (Gepflegtes BTC im Liquid-Seitennetz)", + "US_POSTAL_MONEY_ORDER_SHORT" to "US Money Order", + "VERSE" to "Verse", + "SWIFT" to "SWIFT International Wire Transfer", + "SPECIFIC_BANKS_SHORT" to "Bestimmte Banken", + "WESTERN_UNION_SHORT" to "Western Union", + "DOMESTIC_WIRE_TRANSFER" to "Domestic Wire Transfer", + "INTERNATIONAL_BANK" to "Internationale Banküberweisung", + "UPHOLD" to "Uphold", + "CAPITUAL" to "Capitual", + "CASH_DEPOSIT" to "Bareinzahlung", + "WBTC" to "WBTC (eingewickeltes BTC als ERC20-Token)", + "MONEY_GRAM_SHORT" to "MoneyGram", + "CASH_BY_MAIL" to "Bar per Postversand", + "SAME_BANK_SHORT" to "Selbe Bank", + "SPECIFIC_BANKS" to "Überweisungen mit bestimmten Banken", + "PAXUM" to "Paxum", + "NATIVE_CHAIN_SHORT" to "Nativer Kettenübertragung", + "WBTC_SHORT" to "WBTC", + "PERFECT_MONEY" to "Perfect Money", + "CELPAY" to "CelPay", + "STRIKE" to "Strike", + "MAIN_CHAIN" to "Bitcoin (onchain)", + "SEPA_INSTANT" to "SEPA Instant", + "CASH_APP" to "Cash App", + "POPMONEY" to "Popmoney", + "REVOLUT" to "Revolut", + "NEFT" to "Indien/NEFT", + "SATISPAY" to "Satispay", + "PAYSERA" to "Paysera", + "LBTC_SHORT" to "Liquid", + "SEPA" to "SEPA", + "NEQUI" to "Nequi", + "NATIONAL_BANK_SHORT" to "Nationale Banken", + "CASH_BY_MAIL_SHORT" to "Bar per Post", + "OTHER" to "Andere", + "PAY_ID" to "PayID", + "CIPS" to "Cross-Border Interbank Payment System", + "MONEY_BEAM" to "MoneyBeam (N26)", + "PIX" to "Pix", + "CASH_DEPOSIT_SHORT" to "Bareinzahlung", + ), + "offer" to mapOf( + "offer.priceSpecFormatter.fixPrice" to "Offer with fixed price\n{0}", + "offer.priceSpecFormatter.floatPrice.below" to "{0} below market price\n{1}", + "offer.priceSpecFormatter.floatPrice.above" to "{0} above market price\n{1}", + "offer.priceSpecFormatter.marketPrice" to "At market price\n{0}", + ), + "mobile" to mapOf( + "bootstrap.connectedToTrustedNode" to "Connected to trusted node", + ), + ) +} diff --git a/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/GeneratedResourceBundles_en.kt b/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/GeneratedResourceBundles_en.kt new file mode 100644 index 00000000..5b017ff7 --- /dev/null +++ b/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/GeneratedResourceBundles_en.kt @@ -0,0 +1,1414 @@ +package network.bisq.mobile.i18n + +// Auto-generated file. Do not modify manually. +object GeneratedResourceBundles_en { + val bundles = mapOf( + "default" to mapOf( + "action.exportAsCsv" to "Export as CSV", + "action.learnMore" to "Learn more", + "action.save" to "Save", + "component.marketPrice.provider.BISQAGGREGATE" to "Bisq price aggregator", + "offer.maker" to "Maker", + "offer.buyer" to "Buyer", + "component.marketPrice.requesting" to "Requesting market price", + "component.standardTable.numEntries" to "Number of entries: {0}", + "offer.createOffer" to "Create offer", + "action.close" to "Close", + "validation.tooLong" to "Input text must not be longer than {0} characters", + "component.standardTable.filter.tooltip" to "Filter by {0}", + "temporal.age" to "Age", + "data.noDataAvailable" to "No data available", + "action.goTo" to "Go to {0}", + "action.next" to "Next", + "offer.buying" to "buying", + "offer.price.above" to "above", + "offer.buy" to "buy", + "offer.taker" to "Taker", + "validation.password.notMatching" to "The 2 passwords you entered do not match", + "action.delete" to "Delete", + "component.marketPrice.tooltip.isStale" to "\nWARNING: Market price is outdated!", + "action.shutDown" to "Shut down", + "component.priceInput.description" to "{0} price", + "component.marketPrice.source.PROPAGATED_IN_NETWORK" to "Propagated by oracle node: {0}", + "validation.password.tooShort" to "The password you entered is too short. It needs to contain at least 8 characters.", + "validation.invalidLightningInvoice" to "The Lightning invoice appears to be invalid", + "action.back" to "Back", + "offer.selling" to "selling", + "action.editable" to "Editable", + "offer.takeOffer.buy.button" to "Buy Bitcoin", + "validation.invalidNumber" to "Input is not a valid number", + "action.search" to "Search", + "validation.invalid" to "Invalid input", + "component.marketPrice.source.REQUESTED_FROM_PRICE_NODE" to "Requested from: {0}", + "validation.invalidBitcoinAddress" to "The Bitcoin address appears to be invalid", + "temporal.year.1" to "{0} year", + "confirmation.no" to "No", + "validation.invalidLightningPreimage" to "The Lightning preimage appears to be invalid", + "temporal.day.1" to "{0} day", + "component.standardTable.filter.showAll" to "Show all", + "temporal.today" to "Today", + "temporal.year.*" to "{0} years", + "data.add" to "Add", + "offer.takeOffer.sell.button" to "Sell Bitcoin", + "component.marketPrice.source.PERSISTED" to "No market data received yet. Using persisted data.", + "action.copyToClipboard" to "Copy to clipboard", + "confirmation.yes" to "Yes", + "offer.sell" to "sell", + "action.react" to "React", + "temporal.day.*" to "{0} days", + "temporal.at" to "at", + "component.standardTable.csv.plainValue" to "{0} (plain value)", + "offer.seller" to "Seller", + "temporal.date" to "Date", + "action.iUnderstand" to "I understand", + "component.priceInput.prompt" to "Enter price", + "confirmation.ok" to "OK", + "action.dontShowAgain" to "Don't show again", + "action.cancel" to "Cancel", + "offer.amount" to "Amount", + "action.edit" to "Edit", + "offer.deleteOffer" to "Delete my offer", + "data.remove" to "Remove", + "data.false" to "False", + "offer.price.below" to "below", + "data.na" to "N/A", + "action.expandOrCollapse" to "Click to collapse or expand", + "data.true" to "True", + "validation.invalidBitcoinTransactionId" to "The Bitcoin transaction ID appears to be invalid", + "component.marketPrice.tooltip" to "{0}\nUpdated: {1} ago\nReceived at: {2}{3}", + "validation.empty" to "Empty string not allowed", + "validation.invalidPercentage" to "Input is not a valid percentage value", + ), + "application" to mapOf( + "onboarding.createProfile.nickName" to "Profile nickname", + "notificationPanel.mediationCases.headline.single" to "New message for mediation case with trade ID ''{0}''", + "popup.reportBug" to "Report bug to Bisq developers", + "tac.reject" to "Reject and quit application", + "dashboard.activeUsers.tooltip" to "Profiles stay published on the network\nif the user was online in the last 15 days.", + "popup.hyperlink.openInBrowser.tooltip" to "Open link in browser: {0}.", + "navigation.reputation" to "Reputation", + "navigation.settings" to "Settings", + "updater.downloadLater" to "Download later", + "splash.bootstrapState.SERVICE_PUBLISHED" to "{0} published", + "updater.downloadAndVerify.info.isLauncherUpdate" to "Once all files are downloaded, the signing key is compared with the keys provided in the application and those available on the Bisq website. This key is then used to verify the downloaded new Bisq installer. After download and verification are complete, navigate to the download directory to install the new Bisq version.", + "dashboard.offersOnline" to "Offers online", + "onboarding.password.button.savePassword" to "Save password", + "popup.headline.instruction" to "Please note:", + "updater.shutDown.isLauncherUpdate" to "Open download directory and shut down", + "updater.ignore" to "Ignore this version", + "navigation.dashboard" to "Dashboard", + "onboarding.createProfile.subTitle" to "Your public profile consists of a nickname (picked by you) and a bot icon (generated cryptographically)", + "onboarding.createProfile.headline" to "Create your profile", + "popup.headline.warning" to "Warning", + "popup.reportBug.report" to "Bisq version: {0}\nOperating system: {1}\nError message:\n{2}", + "splash.bootstrapState.network.I2P" to "I2P", + "navigation.network.info.externalTor" to "\nUsing external Tor", + "unlock.failed" to "Could not unlock with the provided password.\n\nTry again and be sure to have the caps lock disabled.", + "popup.shutdown" to "Shut down is in process.\n\nIt might take up to {0} seconds until shut down is completed.", + "splash.bootstrapState.service.TOR" to "Onion Service", + "navigation.expandIcon.tooltip" to "Expand menu", + "updater.downloadAndVerify.info" to "Once all files are downloaded, the signing key is compared with the keys provided in the application and those available on the Bisq website. This key is then used to verify the downloaded new version ('desktop.jar').", + "popup.headline.attention" to "Attention", + "onboarding.password.headline.setPassword" to "Set password protection", + "unlock.button" to "Unlock", + "splash.bootstrapState.START_PUBLISH_SERVICE" to "Start publishing {0}", + "onboarding.bisq2.headline" to "Welcome to Bisq 2", + "dashboard.marketPrice" to "Latest market price", + "popup.hyperlink.copy.tooltip" to "Copy link: {0}.", + "navigation.bisqEasy" to "Bisq Easy", + "navigation.network.info.i2p" to "I2P", + "dashboard.third.button" to "Build Reputation", + "popup.headline.error" to "Error", + "video.mp4NotSupported.warning" to "You can watch the video in your browser at: [HYPERLINK:{0}]", + "updater.downloadAndVerify.headline" to "Download and verify new version", + "tac.headline" to "User Agreement", + "splash.applicationServiceState.INITIALIZE_SERVICES" to "Initialize services", + "onboarding.password.enterPassword" to "Enter password (min. 8 characters)", + "splash.details.tooltip" to "Click to toggle details", + "navigation.network" to "Network", + "dashboard.main.content3" to "Security is based on seller's reputation", + "dashboard.main.content2" to "Chat based and guided user interface for trading", + "splash.applicationServiceState.INITIALIZE_WALLET" to "Initialize wallet", + "onboarding.password.subTitle" to "Set up password protection now or skip and do it later in 'User options/Password'.", + "dashboard.main.content1" to "Start trading or browse open offers in the offerbook", + "navigation.vertical.collapseIcon.tooltip" to "Collapse sub menu", + "splash.bootstrapState.network.TOR" to "Tor", + "splash.bootstrapState.service.CLEAR" to "Server", + "splash.bootstrapState.CONNECTED_TO_PEERS" to "Connecting to peers", + "splash.bootstrapState.service.I2P" to "I2P Service", + "popup.reportError.zipLogs" to "Zip log files", + "updater.furtherInfo.isLauncherUpdate" to "This update requires a new Bisq installation.\nIf you have problems when installing Bisq on macOS, please read the instructions at:", + "navigation.support" to "Support", + "updater.table.progress.completed" to "Completed", + "updater.headline" to "A new Bisq update is available", + "notificationPanel.trades.button" to "Go to 'Open Trades'", + "popup.headline.feedback" to "Completed", + "tac.confirm" to "I have read and understood", + "navigation.collapseIcon.tooltip" to "Minimize menu", + "updater.shutDown" to "Shut down", + "popup.headline.backgroundInfo" to "Background information", + "splash.applicationServiceState.FAILED" to "Startup failed", + "navigation.userOptions" to "User options", + "updater.releaseNotesHeadline" to "Release notes for version {0}:", + "splash.bootstrapState.BOOTSTRAP_TO_NETWORK" to "Bootstrap to {0} network", + "navigation.vertical.expandIcon.tooltip" to "Expand sub menu", + "topPanel.wallet.balance" to "Balance", + "navigation.network.info.tooltip" to "{0} network\nNumber of connections: {1}\nTarget connections: {2}{3}", + "video.mp4NotSupported.warning.headline" to "Embedded video cannot be played", + "navigation.wallet" to "Wallet", + "onboarding.createProfile.regenerate" to "Generate new bot icon", + "splash.applicationServiceState.INITIALIZE_NETWORK" to "Initialize P2P network", + "updater.table.progress" to "Download progress", + "navigation.network.info.inventoryRequests.tooltip" to "Network data request state:\nNumber of pending requests: {0}\nMax. requests: {1}\nAll data received: {2}", + "onboarding.createProfile.createProfile.busy" to "Initializing network node...", + "dashboard.second.button" to "Explore trade protocols", + "dashboard.activeUsers" to "Published user profiles", + "hyperlinks.openInBrowser.attention.headline" to "Open web link", + "dashboard.main.headline" to "Get your first BTC", + "popup.headline.invalid" to "Invalid input", + "popup.reportError.gitHub" to "Report to Bisq GitHub repository", + "navigation.network.info.inventoryRequest.requesting" to "Requesting network data", + "popup.headline.information" to "Information", + "navigation.network.info.clearNet" to "Clear-net", + "dashboard.third.headline" to "Build up reputation", + "tac.accept" to "Accept user Agreement", + "updater.furtherInfo" to "This update will be loaded after restart and does not require a new installation.\nMore details can be found at the release page at:", + "onboarding.createProfile.nym" to "Bot ID:", + "popup.shutdown.error" to "An error occurred at shut down: {0}.", + "navigation.authorizedRole" to "Authorized role", + "onboarding.password.confirmPassword" to "Confirm password", + "hyperlinks.openInBrowser.attention" to "Do you want to open the link to `{0}` in your default web browser?", + "onboarding.password.button.skip" to "Skip", + "popup.reportError.log" to "Open log file", + "dashboard.main.button" to "Enter Bisq Easy", + "updater.download" to "Download and verify", + "dashboard.third.content" to "You want to sell Bitcoin on Bisq Easy? Learn how the Reputation system works and why it is important.", + "hyperlinks.openInBrowser.no" to "No, copy link", + "splash.applicationServiceState.APP_INITIALIZED" to "Bisq started", + "navigation.academy" to "Learn", + "navigation.network.info.inventoryRequest.completed" to "Network data received", + "onboarding.createProfile.nickName.prompt" to "Choose your nickname", + "popup.startup.error" to "An error occurred at initializing Bisq: {0}.", + "version.versionAndCommitHash" to "Version: v{0} / Commit hash: {1}", + "onboarding.bisq2.teaserHeadline1" to "Introducing Bisq Easy", + "onboarding.bisq2.teaserHeadline3" to "Coming soon", + "onboarding.bisq2.teaserHeadline2" to "Learn & discover", + "dashboard.second.headline" to "Multiple trade protocols", + "splash.applicationServiceState.INITIALIZE_APP" to "Starting Bisq", + "unlock.headline" to "Enter password to unlock", + "onboarding.password.savePassword.success" to "Password protection enabled.", + "notificationPanel.mediationCases.button" to "Go to 'Mediator'", + "onboarding.bisq2.line2" to "Get a gentle introduction into Bitcoin\nthrough our guides and community chat.", + "onboarding.bisq2.line3" to "Choose how to trade: Bisq MuSig, Lightning, Submarine Swaps,...", + "splash.bootstrapState.network.CLEAR" to "Clear net", + "updater.headline.isLauncherUpdate" to "A new Bisq installer is available", + "notificationPanel.mediationCases.headline.multiple" to "New messages for mediation", + "onboarding.bisq2.line1" to "Getting your first Bitcoin privately\nhas never been easier.", + "notificationPanel.trades.headline.single" to "New trade message for trade ''{0}''", + "popup.headline.confirmation" to "Confirmation", + "onboarding.createProfile.createProfile" to "Next", + "onboarding.createProfile.nym.generating" to "Calculating proof of work...", + "hyperlinks.copiedToClipboard" to "Link was copied to clipboard", + "updater.table.verified" to "Signature verified", + "navigation.tradeApps" to "Trade protocols", + "navigation.chat" to "Chat", + "dashboard.second.content" to "Check out the roadmap for upcoming trade protocols. Get an overview about the features of the different protocols.", + "navigation.network.info.tor" to "Tor", + "updater.table.file" to "File", + "onboarding.createProfile.nickName.tooLong" to "Nickname must not be longer than {0} characters", + "popup.reportError" to "To help us to improve the software please report this bug by opening a new issue at: 'https://github.com/bisq-network/bisq2/issues'.\nThe error message will be copied to the clipboard when you click the 'report' button below.\n\nIt will make debugging easier if you include log files in your bug report. Log files do not contain sensitive data.", + "notificationPanel.trades.headline.multiple" to "New trade messages", + ), + "bisq_easy" to mapOf( + "bisqEasy.tradeState.info.seller.phase2b.tradeLogMessage" to "{0} has confirmed the receipt of {1}", + "bisqEasy.tradeWizard.paymentMethods.warn.customPaymentMethodAlreadyExists" to "A custom payment method with name {0} already exists.", + "bisqEasy.takeOffer.amount.seller.limitInfo.lowToleratedAmount" to "As the trade amount is below {0}, reputation requirements are relaxed.", + "bisqEasy.onboarding.watchVideo.tooltip" to "Watch embedded introduction video", + "bisqEasy.takeOffer.paymentMethods.headline.fiat" to "Which payment method do you want to use?", + "bisqEasy.walletGuide.receive" to "Receiving", + "bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMin.overlay.info" to "Seller''s reputation score of {0} does not provide sufficient security for that offer.\n\nIt is recommended to trade lower amounts with repeated trades or with sellers who have higher reputation. If you decide to proceed despite the lack of the seller''s reputation, ensure that you are fully aware of the associated risks. Bisq Easy''s security model relies on the seller''s reputation, as the buyer is required to send fiat currency first.", + "bisqEasy.offerbook.marketListCell.favourites.maxReached.popup" to "There's only space for 5 favourites. Remove a favourite and try again.", + "bisqEasy.dashboard" to "Getting started", + "bisqEasy.tradeWizard.amount.seller.limitInfo.noReputationNeededForMaxOrFixedAmount.overlay.info.scoreTooLow" to "For amounts up to {0} the reputation requirements are relaxed.\n\nYour reputation score of {1} doesn''t offer sufficient security for buyers. However, given the low amount involved, buyers might still consider accepting the offer once they are made aware of the associated risks.\n\nYou can find information on how to increase your reputation at ''Reputation/Build Reputation''.", + "bisqEasy.price.feedback.sentence.veryGood" to "very good", + "bisqEasy.walletGuide.createWallet" to "New wallet", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.description" to "Webcam connection state", + "bisqEasy.tradeWizard.review.sellerPaysMinerFeeLong" to "The seller pays the mining fee", + "bisqEasy.tradeState.info.buyer.phase2b.headline" to "Wait for the seller to confirm receipt of payment", + "bisqEasy.tradeWizard.paymentMethods.bitcoin.subTitle.seller" to "Choose the settlement methods to send Bitcoin", + "bisqEasy.tradeState.info.seller.phase3a.bitcoinPayment.description.LN" to "Lightning invoice", + "bisqEasy.tradeCompleted.body.copy.explorerLink.tooltip" to "Copy block explorer transaction link", + "bisqEasy.tradeWizard.amount.headline.seller" to "How much do you want to receive?", + "bisqEasy.openTrades.table.direction.buyer" to "Buying from:", + "bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.inSufficientScore" to "With a reputation score of {0}, the security you provide is insufficient for trades over {1}.\n\nYou can still create such offers, but buyers will be warned about potential risks when attempting to take your offer.\n\nYou can find information on how to increase your reputation at ''Reputation/Build Reputation''.", + "bisqEasy.tradeWizard.paymentMethods.customMethod.prompt" to "Custom payment", + "bisqEasy.tradeState.info.phase4.leaveChannel" to "Close trade", + "bisqEasy.tradeWizard.directionAndMarket.headline" to "Do you want to buy or sell Bitcoin with", + "bisqEasy.tradeWizard.review.chatMessage.price" to "Price:", + "bisqEasy.tradeWizard.paymentMethods.bitcoin.subTitle.buyer" to "Choose the settlement methods to receive Bitcoin", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.headline.LN" to "Fill in your Lightning invoice", + "bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage" to "{0} initiated the Bitcoin transfer. {1}: ''{2}''", + "bisqEasy.openTrades.table.baseAmount" to "Amount in BTC", + "bisqEasy.openTrades.tradeLogMessage.cancelled" to "{0} cancelled the trade", + "bisqEasy.offerbook.dropdownMenu.messageTypeFilter.tooltip" to "Filter by chat activity", + "bisqEasy.openTrades.inMediation.info" to "A mediator has joined the trade chat. Please use the trade chat below to get assistance from the mediator.", + "bisqEasy.onboarding.right.button" to "Open offerbook", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.imageRecognized" to "Webcam connected", + "bisqEasy.tradeState.info.buyer.phase2a.sellersAccount" to "Payment account of seller", + "bisqEasy.tradeWizard.amount.numOffers.0" to "is no offer", + "bisqEasy.offerbook.markets.ExpandedList.Tooltip" to "Collapse Markets", + "bisqEasy.openTrades.cancelTrade.warning.seller" to "Since the exchange of account details has commenced, canceling the trade without the buyer''s {0}", + "bisqEasy.tradeCompleted.body.tradePrice" to "Trade price", + "bisqEasy.tradeWizard.amount.numOffers.*" to "are {0} offers", + "bisqEasy.tradeWizard.review.chatMessage.peerMessageTitle.buy" to "Buy Bitcoin from", + "bisqEasy.walletGuide.intro.content" to "In Bisq Easy, the Bitcoin you receive goes straight to your pocket without any intermediaries. That's a great advantage, but it also means you need to have a wallet that you control yourself to receive it!\n\nIn this quick wallet guide, we will show you in a few simple steps how you can create a simple wallet. With it, you will be able to receive and store your freshly purchased bitcoin.\n\nIf you are already familiar with on-chain wallets and have one, you can skip this guide and simply use your wallet.", + "bisqEasy.openTrades.rejected.peer" to "Your trade peer has rejected the trade", + "bisqEasy.offerbook.offerList.table.columns.settlementMethod" to "Settlement", + "bisqEasy.topPane.closeFilter" to "Close filter", + "bisqEasy.tradeWizard.amount.numOffers.1" to "is one offer", + "bisqEasy.component.amount.baseSide.tooltip.btcAmount.selectedPrice" to "This is the Bitcoin amount with your selected price.", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.subHeadline" to "There are no offers available for your selection criteria.", + "bisqEasy.openTrades.chat.detach" to "Detach", + "bisqEasy.openTrades.table.tradeId" to "Trade ID", + "bisqEasy.tradeWizard.market.columns.name" to "Fiat currency", + "bisqEasy.offerbook.offerList.table.filters.offerDirection.sellTo" to "Sell to", + "bisqEasy.tradeWizard.directionAndMarket.feedback.tradeWithoutReputation" to "Continue without reputation", + "bisqEasy.tradeWizard.paymentMethods.noneFound" to "For the selected market there are no default payment methods provided.\nPlease add in the text field below the custom payment you want to use.", + "bisqEasy.tradeWizard.amount.seller.wizard.limitInfo" to "With your reputation score of {0}, you can trade up to", + "bisqEasy.price.feedback.sentence.veryLow" to "very low", + "bisqEasy.tradeWizard.review.noTradeFeesLong" to "There are no trade fees in Bisq Easy", + "bisqEasy.tradeGuide.process.headline" to "How does the trade process works?", + "bisqEasy.mediator" to "Mediator", + "bisqEasy.price.headline" to "What is your trade price?", + "bisqEasy.tradeWizard.paymentMethods.warn.noFiatPaymentMethodSelected" to "Please choose at least one fiat payment method.", + "bisqEasy.tradeWizard.paymentMethods.fiat.subTitle.seller" to "Choose the payment methods to receive {0}", + "bisqEasy.tradeWizard.review.chatMessage.floatPrice.plus" to "+{0}", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.description.buyersPrice" to "Your offer price to buy Bitcoin was {0}.", + "bisqEasy.tradeState.info.buyer.phase2a.confirmFiatSent" to "Confirm payment of {0}", + "bisqEasy.component.amount.minRangeValue" to "Min {0}", + "bisqEasy.offerbook.chatMessage.deleteMessage.confirmation" to "Are you sure you want to delete this message?", + "bisqEasy.tradeCompleted.body.copy.txId.tooltip" to "Copy transaction ID to clipboard", + "bisqEasy.tradeWizard.amount.headline.buyer" to "How much do you want to spend?", + "bisqEasy.openTrades.closeTrade" to "Close trade", + "bisqEasy.openTrades.table.settlementMethod.tooltip" to "Bitcoin settlement method: {0}", + "bisqEasy.openTrades.csv.quoteAmount" to "Amount in {0}", + "bisqEasy.tradeWizard.review.createOfferSuccess.headline" to "Offer successfully published", + "bisqEasy.openTrades.tradeDetails.btcPaymentAddress.copy" to "Copy BTC payment address", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.all" to "All", + "bisqEasy.tradeState.info.buyer.phase1a.tradeLogMessage.MAIN_CHAIN" to "{0} has sent the Bitcoin address ''{1}''", + "bisqEasy.tradeWizard.directionAndMarket.feedback.subTitle1" to "You haven't established any reputation yet. For Bitcoin sellers, building reputation is crucial because buyers are required to send fiat currency first in the trade process, relying on the seller's integrity.\n\nThis reputation-building process is better suited for experienced Bisq users, and you can find detailed information about it in the 'Reputation' section.", + "bisqEasy.tradeWizard.directionAndMarket.feedback.subTitle2" to "While it''s possible for sellers to trade without (or insufficient) reputation for relatively low amounts up to {0}, the likelihood of finding a trading partner is considerably reduced. This is because buyers tend to avoid engaging with sellers who lack reputation due to security risks.", + "bisqEasy.openTrades.tradeDetails.peerNetworkAddress" to "Peer network address", + "bisqEasy.tradeWizard.review.detailsHeadline.maker" to "Offer details", + "bisqEasy.walletGuide.download.headline" to "Downloading your wallet", + "bisqEasy.openTrades.tradeDetails.tradersAndRole.me" to "Me:", + "bisqEasy.tradeWizard.selectOffer.headline.seller" to "Sell Bitcoin for {0}", + "bisqEasy.openTrades.tradeDetails.amountAndPrice" to "Amount @ Price", + "bisqEasy.offerbook.marketListCell.numOffers.one" to "{0} offer", + "bisqEasy.tradeWizard.amount.seller.wizard.limitInfo.overlay.info" to "With a reputation score of {0}, you can trade up to {1}.\n\nYou can find information on how to increase your reputation at ''Reputation/Build Reputation''.", + "bisqEasy.tradeState.info.seller.phase3b.balance.prompt" to "Waiting for blockchain data...", + "bisqEasy.takeOffer.amount.buyer.limitInfo.minAmountCovered" to "Seller''s reputation score of {0} provides security up to", + "bisqEasy.offerbook.markets.CollapsedList.Tooltip" to "Expand Markets", + "bisqEasy.tradeGuide.welcome" to "Overview", + "bisqEasy.tradeGuide.welcome.headline" to "How to trade on Bisq Easy", + "bisqEasy.takeOffer.amount.description" to "The offer allows you can choose a trade amount\nbetween {0} and {1}", + "bisqEasy.openTrades.tradeDetails.offerTypeAndMarket" to "Offer type / Market", + "bisqEasy.onboarding.right.headline" to "For experienced traders", + "bisqEasy.tradeState.info.buyer.phase3b.confirmButton.ln" to "Confirm receipt", + "bisqEasy.walletGuide.download" to "Download", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.description.sellersPrice" to "However, the seller is offering you a different price: {0}.", + "bisqEasy.offerbook.offerList.table.filters.paymentMethods.customPayments" to "Custom payments", + "bisqEasy.offerbook.offerList.table.columns.paymentMethod" to "Payment", + "bisqEasy.offerbook.dropdownMenu.messageTypeFilter.text" to "Only messages", + "bisqEasy.takeOffer.progress.method" to "Payment method", + "bisqEasy.tradeWizard.review.direction" to "{0} Bitcoin", + "bisqEasy.offerDetails.paymentMethods" to "Supported payment method(s)", + "bisqEasy.openTrades.closeTrade.warning.interrupted" to "Before closing the trade you can back up the trade data as csv file if needed.\n\nOnce the trade is closed all data related to the trade is gone, and you cannot communicate with the trade peer in the trade chat anymore.\n\nDo you want to close the trade now?", + "bisqEasy.tradeState.reportToMediator" to "Report to mediator", + "bisqEasy.openTrades.table.price" to "Price", + "bisqEasy.openTrades.chat.window.title" to "{0} - Chat with {1} / Trade ID: {2}", + "bisqEasy.tradeCompleted.header.paymentMethod" to "Payment method", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.nameZA" to "Name Z-A", + "bisqEasy.tradeWizard.progress.review" to "Review", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.noReputationNeededForMaxOrFixedAmount" to "Sellers with no reputation can take offers up to {0}.", + "bisqEasy.tradeWizard.review.createOfferSuccess.subTitle" to "Your offer is now listed in the offerbook. When a Bisq user takes your offer, you will find a new trade in the 'Open Trades' section.\n\nBe sure to regularly check the Bisq application for new messages from a taker.", + "bisqEasy.openTrades.failed.popup" to "The trade failed due an error.\nError message: {0}\n\nStack trace: {1}", + "bisqEasy.tradeWizard.paymentMethods.fiat.subTitle.buyer" to "Choose the payment methods to transfer {0}", + "bisqEasy.tradeWizard.market.subTitle" to "Choose your trade currency", + "bisqEasy.openTrades.tradeDetails.tradersAndRole" to "Traders / Role", + "bisqEasy.tradeWizard.review.sellerPaysMinerFee" to "Seller pays the mining fee", + "bisqEasy.openTrades.chat.peerLeft.subHeadline" to "If the trade is not completed on your side and if you need assistance, contact the mediator or visit the support chat.", + "bisqEasy.tradeState.info.seller.phase3a.qrCodeDisplay.openWindow" to "Open larger display", + "bisqEasy.offerDetails.price" to "{0} offer price", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.withOffers" to "With offers", + "bisqEasy.onboarding.left.button" to "Start trade wizard", + "bisqEasy.takeOffer.review.takeOffer" to "Confirm take offer", + "bisqEasy.tradeWizard.amount.limitInfo.overlay.close" to "Close overlay", + "bisqEasy.tradeCompleted.title" to "Trade was successfully completed", + "bisqEasy.tradeState.info.buyer.phase3b.headline.MAIN_CHAIN" to "The seller has started the Bitcoin payment", + "bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.sufficientScore" to "With a reputation score of {0}, you provide security for trades up to {1}.", + "bisqEasy.tradeGuide.rules" to "Trade rules", + "bisqEasy.tradeState.info.phase3b.txId.tooltip" to "Open transaction in block explorer", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.prompt.LN" to "Fill in your Lightning invoice", + "bisqEasy.openTrades.cancelTrade.warning.part2" to "consent could be considered a violation of the trading rules and may result in your profile being banned from the network.\n\nIf the peer has been unresponsive for more than 24 hours and no payment has been made, you may reject the trade without consequences. The liability will rest with the unresponsive party.\n\nIf you have any questions or encounter issues, please do not hesitate to contact your trade peer or seek assistance in the 'Support section'.\n\nIf you believe that your trade peer has violated the trade rules, you have the option to initiate a mediation request. A mediator will join the trade chat and work toward finding a cooperative solution.\n\nAre you sure you want to cancel the trade?", + "bisqEasy.tradeState.header.pay" to "Amount to pay", + "bisqEasy.tradeState.header.direction" to "I want to", + "bisqEasy.tradeState.info.buyer.phase1b.info" to "You can use the chat below for getting in touch with the seller.", + "bisqEasy.openTrades.welcome.line1" to "Learn about the security model of Bisq easy", + "bisqEasy.tradeState.info.buyer.phase3b.tradeLogMessage.ln" to "{0} has confirmed to have received the Bitcoin payment", + "bisqEasy.tradeWizard.amount.description.minAmount" to "Set the minimum value for the amount range", + "bisqEasy.onboarding.openTradeGuide" to "Read the trade guide", + "bisqEasy.openTrades.welcome.line2" to "See how the trade process works", + "bisqEasy.price.warn.invalidPrice.outOfRange" to "The price you entered is outside the permitted range of -10% to 50%.", + "bisqEasy.openTrades.welcome.line3" to "Make yourself familiar with the trade rules", + "bisqEasy.tradeState.bitcoinPaymentData.LN" to "Lightning invoice", + "bisqEasy.tradeState.info.seller.phase1.note" to "Note: You can use the chat below for getting in touch with the buyer before revealing your account data.", + "bisqEasy.tradeWizard.directionAndMarket.buy" to "Buy Bitcoin", + "bisqEasy.openTrades.confirmCloseTrade" to "Confirm close trade", + "bisqEasy.openTrades.tradeDetails.paymentAndSettlementMethods" to "Payment methods", + "bisqEasy.tradeWizard.amount.removeMinAmountOption" to "Use fix value amount", + "bisqEasy.offerDetails.id" to "Offer ID", + "bisqEasy.tradeWizard.progress.price" to "Price", + "bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo.overlay.info" to "Given the low trade amount of {0}, the reputation requirements are relaxed.\nFor amounts up to {1}, sellers with insufficient or no reputation can take your offer.\n\nSellers who wants to take your offer with the max. amount of {2}, must have a reputation score of at least {3}.\nBy reducing the maximum trade amount, you make your offer accessible to more sellers.", + "bisqEasy.tradeState.info.buyer.phase1a.send" to "Send to seller", + "bisqEasy.takeOffer.review.noTradeFeesLong" to "There are no trade fees in Bisq Easy", + "bisqEasy.onboarding.watchVideo" to "Watch video", + "bisqEasy.walletGuide.receive.content" to "To receive your Bitcoin, you need an address from your wallet. To get it, click on your newly created wallet, and afterwards click on the 'Receive' button at the bottom of the screen.\n\nBluewallet will display an unused address, both as a QR code and as text. This address is what you will need to provide to your peer in Bisq Easy so that he can send you the Bitcoin you are buying. You can move the address to your PC by scanning the QR code with a camera, by sending the address with an email or chat message, or even by simply typing it.\n\nOnce you complete the trade, Bluewallet will notice the incoming Bitcoin and update your balance with the new funds. Everytime you do a new trade, get a fresh address to protect your privacy.\n\nThese are the basics you need to know to start receiving Bitcoin in your own wallet. If you want to learn more about Bluewallet, we recommend checking out the videos listed below.", + "bisqEasy.takeOffer.progress.review" to "Review trade", + "bisqEasy.tradeCompleted.header.myDirection.buyer" to "I bought", + "bisqEasy.offerbook.offerList.table.columns.offerType.sell" to "Selling", + "bisqEasy.tradeState.info.seller.phase3a.qrCodeDisplay.window.title" to "Scan QR Code for trade ''{0}''", + "bisqEasy.tradeWizard.amount.seller.limitInfo.scoreTooLow" to "With your reputation score of {0}, your trade amount should not exceed", + "bisqEasy.openTrades.table.paymentMethod.tooltip" to "Fiat payment method: {0}", + "bisqEasy.tradeCompleted.header.myOutcome.buyer" to "I paid", + "bisqEasy.openTrades.chat.peer.description" to "Chat peer", + "bisqEasy.takeOffer.progress.amount" to "Trade amount", + "bisqEasy.price.warn.invalidPrice.numberFormatException" to "The price you entered is not a valid number.", + "bisqEasy.mediation.request.confirm.msg" to "If you have problems which you cannot resolve with your trade partner you can request assistance from a mediator.\n\nPlease do not request mediation for general questions. In the support section there are chat rooms where you can get general advice and help.", + "bisqEasy.tradeGuide.rules.headline" to "What do I need to know about the trade rules?", + "bisqEasy.tradeState.info.buyer.phase3b.balance.prompt" to "Waiting for blockchain data...", + "bisqEasy.offerbook.markets" to "Markets", + "bisqEasy.openTrades.tradeDetails.peerNetworkAddress.copy" to "Copy peer network address", + "bisqEasy.openTrades.tradeDetails.tradersAndRole.peer" to "Peer:", + "bisqEasy.privateChats.leave" to "Leave chat", + "bisqEasy.tradeWizard.review.priceDetails" to "Floats with the market price", + "bisqEasy.openTrades.table.headline" to "My open trades", + "bisqEasy.takeOffer.review.method.bitcoin" to "Bitcoin settlement method", + "bisqEasy.tradeWizard.amount.description.fixAmount" to "Set the amount you want to trade", + "bisqEasy.offerbook.dropdownMenu.messageTypeFilter.offers" to "Only offers", + "bisqEasy.offerDetails.buy" to "Offer for buying Bitcoin", + "bisqEasy.openTrades.chat.detach.tooltip" to "Open chat in new window", + "bisqEasy.tradeState.info.buyer.phase3a.headline" to "Wait for the seller's Bitcoin settlement", + "bisqEasy.openTrades" to "My open trades", + "bisqEasy.tradeState.info.buyer.phase3b.info.MAIN_CHAIN" to "As soon the Bitcoin transaction is visible in the Bitcoin network you will see the payment. After 1 blockchain confirmation the payment can be considered as completed.", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.browseOfferbook.info" to "Close the trade wizard and browse the offer book", + "bisqEasy.tradeGuide.rules.confirm" to "I have read and understood", + "bisqEasy.walletGuide.intro" to "Intro", + "bisqEasy.tradeState.info.phase3b.balance.help.notConfirmed" to "Transaction seen in mempool but not confirmed yet", + "bisqEasy.mediation.request.feedback.noMediatorAvailable" to "There is no mediator available. Please use the support chat instead.", + "bisqEasy.price.feedback.learnWhySection.description.intro" to "The reason for that is that the seller has to cover extra expenses and compensate for the seller's service, specifically:", + "bisqEasy.offerbook.marketListCell.favourites.tooltip.addToFavourites" to "Add to favourites", + "bisqEasy.openTrades.tradeDetails.paymentAccountData" to "Payment account data", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.tooltip" to "Sort and filter markets", + "bisqEasy.openTrades.rejectTrade" to "Reject trade", + "bisqEasy.openTrades.table.direction.seller" to "Selling to:", + "bisqEasy.offerDetails.sell" to "Offer for selling Bitcoin", + "bisqEasy.tradeWizard.amount.seller.limitInfo.sufficientScore" to "Your reputation score of {0} provides security for offers up to", + "bisqEasy.tradeState.info.phase3b.balance.invalid.multipleOutputsForAddress" to "Multiple matching outputs found in transaction", + "bisqEasy.onboarding.top.headline" to "Bisq Easy in 3 minutes", + "bisqEasy.tradeWizard.amount.buyer.numSellers.1" to "is one seller", + "bisqEasy.tradeGuide.tabs.headline" to "Trade guide", + "bisqEasy.tradeWizard.amount.seller.limitInfo.inSufficientScore" to "The security provided by your reputation score of {0} is insufficient for offers over", + "bisqEasy.openTrades.exportTrade" to "Export trade data", + "bisqEasy.tradeWizard.review.table.reputation" to "Reputation", + "bisqEasy.tradeWizard.amount.buyer.numSellers.0" to "is no seller", + "bisqEasy.tradeWizard.progress.directionAndMarket" to "Offer type", + "bisqEasy.offerDetails.direction" to "Offer type", + "bisqEasy.tradeWizard.amount.buyer.numSellers.*" to "are {0} sellers", + "bisqEasy.offerDetails.date" to "Creation date", + "bisqEasy.offerbook.offerList.table.filters.paymentMethods.title.all" to "All", + "bisqEasy.takeOffer.noMediatorAvailable.warning" to "There is no mediator available. You have to use the support chat instead.", + "bisqEasy.offerbook.offerList.table.columns.price" to "Price", + "bisqEasy.offerbook.offerList.table.filters.offerDirection.buyFrom" to "Buy from", + "bisqEasy.component.amount.baseSide.tooltip.buyer.btcAmount" to "This is the Bitcoin amount to receive", + "bisqEasy.takeOffer.bitcoinPaymentData.warning.LN" to "The Lightning invoice that you have entered appears to be invalid.\n\nIf you are sure the invoice is valid you can ignore this warning and proceed.", + "bisqEasy.tradeWizard.review.takeOfferSuccessButton" to "Show trade in 'Open Trades'", + "bisqEasy.tradeGuide.process.steps" to "1. The seller and the buyer exchange account details. The seller sends their payment data (e.g., bank account number) to the buyer and the buyer sends their Bitcoin address (or Lightning invoice) to the seller.\n2. Next, the buyer initiates the Fiat payment to the seller's account. Upon receiving the payment, the seller will confirm the receipt.\n3. The seller then sends the Bitcoin to the buyer's address and shares the transaction ID (of optionally the preimage in case Lightning is used). The user interface will display the confirmation state. Once confirmed, the trade is successfully completed.", + "bisqEasy.openTrades.rejectTrade.warning" to "Since the exchange of account details has not yet started, rejecting the trade does not constitute a violation of the trade rules.\n\nIf you have any questions or encounter issues, please don't hesitate to contact your trade peer or seek assistance in the 'Support section'.\n\nAre you sure you want to reject the trade?", + "bisqEasy.tradeWizard.price.subtitle" to "This can be defined as a percentage price which floats with the market price or fixed price.", + "bisqEasy.openTrades.tradeLogMessage.rejected" to "{0} rejected the trade", + "bisqEasy.tradeState.header.tradeId" to "Trade ID", + "bisqEasy.topPane.filter" to "Filter offerbook", + "bisqEasy.tradeWizard.review.priceDetails.fix" to "Fix price. {0} {1} market price of {2}", + "bisqEasy.openTrades.tradeDetails.btcPaymentAddress" to "BTC payment address", + "bisqEasy.tradeWizard.amount.description.maxAmount" to "Set the maximum value for the amount range", + "bisqEasy.tradeState.info.buyer.phase2b.info" to "Once the seller has received your payment of {0}, they will start the Bitcoin transfer to your provided {1}.", + "bisqEasy.tradeState.info.seller.phase3a.sendBtc" to "Send {0} to the buyer", + "bisqEasy.onboarding.left.headline" to "Best for beginners", + "bisqEasy.takeOffer.paymentMethods.headline.bitcoin" to "Which settlement method do you want to use?", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.mostOffers" to "Most offers", + "bisqEasy.openTrades.tradeDetails.offerTypeAndMarket.sellOffer" to "Sell offer", + "bisqEasy.tradeState.header.send" to "Amount to send", + "bisqEasy.tradeWizard.review.noTradeFees" to "No trade fees in Bisq Easy", + "bisqEasy.tradeWizard.directionAndMarket.sell" to "Sell Bitcoin", + "bisqEasy.tradeState.info.phase3b.balance.help.confirmed" to "Transaction is confirmed", + "bisqEasy.tradeWizard.directionAndMarket.feedback.backToBuy" to "Back", + "bisqEasy.tradeWizard.review.price" to "{0} <{1} style=trade-wizard-review-code>", + "bisqEasy.openTrades.table.makerTakerRole.maker" to "Maker", + "bisqEasy.tradeWizard.review.priceDetails.fix.atMarket" to "Fix price. Same as market price of {0}", + "bisqEasy.openTrades.tradeDetails.offerTypeAndMarket.fiatMarket" to "{0} market", + "bisqEasy.tradeCompleted.tableTitle" to "Summary", + "bisqEasy.tradeWizard.market.headline.seller" to "In which currency do you want to get paid?", + "bisqEasy.tradeCompleted.body.date" to "Date", + "bisqEasy.tradeWizard.review.paymentMethodDescriptions.btc.taker" to "Select Bitcoin settlement method", + "bisqEasy.openTrades.tradeDetails.tradeId.copy" to "Copy trade ID", + "bisqEasy.tradeState.info.seller.phase3b.confirmButton.ln" to "Complete trade", + "bisqEasy.tradeState.info.seller.phase2b.headline" to "Check if you have received {0}", + "bisqEasy.price.feedback.learnWhySection.description.exposition" to "- Build up reputation which can be costly- The seller has to pay for miner fees- The seller is the helpful guide in the trade process thus investing more time", + "bisqEasy.takeOffer.amount.buyer.limitInfoAmount" to "{0}.", + "bisqEasy.tradeState.info.buyer.phase2a.headline" to "Send {0} to the seller''s payment account", + "bisqEasy.price.feedback.learnWhySection.title" to "Why should I pay a higher price to the seller?", + "bisqEasy.takeOffer.review.price.price" to "Trade price", + "bisqEasy.tradeState.paymentProof.LN" to "Preimage", + "bisqEasy.openTrades.table.settlementMethod" to "Settlement", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.description.question" to "Do you want to accept this new price or do you want to reject/cancel* the trade?", + "bisqEasy.takeOffer.tradeLogMessage" to "{0} has sent a message for taking {1}''s offer", + "bisqEasy.openTrades.cancelled.self" to "You have cancelled the trade", + "bisqEasy.component.amount.baseSide.tooltip.btcAmount.marketPrice" to "This is the Bitcoin amount with current market price.", + "bisqEasy.tradeGuide.security" to "Security", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.description.disclaimer" to "(*Note that in this specific case, cancelling the trade will NOT be considered a violation of the trading rules.)", + "bisqEasy.tradeState.info.buyer.phase3b.headline.ln" to "The seller has sent the Bitcoin via Lightning network", + "bisqEasy.mediation.request.feedback.headline" to "Mediation requested", + "bisqEasy.tradeState.requestMediation" to "Request mediation", + "bisqEasy.price.warn.invalidPrice.exception" to "The price you entered is invalid.\n\nError message: {0}", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.goBack.info" to "Go back to the previous screens and change the selection", + "bisqEasy.offerbook.marketListCell.numOffers.tooltip.one" to "{0} offer is available in the {1} market", + "bisqEasy.tradeGuide.process.content" to "When you decide to take an offer, you'll have the flexibility to choose from the available options provided by the offer. Before starting the trade, you'll be presented with a summary overview for your review.\nOnce the trade is initiated, the user interface will guide you through the trade process, which consists of the following steps:", + "bisqEasy.openTrades.csv.txIdOrPreimage" to "Transaction ID/Preimage", + "bisqEasy.tradeState.info.buyer.phase1a.walletHelpButton" to "Open wallet guide", + "bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo" to "For the max. amount of {0} there {1} with enough reputation to take your offer.", + "bisqEasy.tradeWizard.review.chatMessage.floatPrice.above" to "{0} above market price", + "bisqEasy.tradeWizard.selectOffer.headline.buyer" to "Buy Bitcoin for {0}", + "bisqEasy.tradeWizard.review.chatMessage.fixPrice" to "{0}", + "bisqEasy.tradeState.info.phase3b.button.next" to "Next", + "bisqEasy.tradeWizard.review.toReceive" to "Amount to receive", + "bisqEasy.tradeState.info.seller.phase1.tradeLogMessage" to "{0} has sent the payment account data:\n{1}", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.noReputationNeededForMaxOrFixedAmount.info" to "Given the low amount of {0}, reputation requirements are relaxed.\nFor amounts up to {1}, sellers with insufficient or no reputation can take the offer.\n\nBe sure to fully understand the risks when trading with a seller without or insufficient reputation. If you do not want to be exposed to that risk, choose an amount above {2}.", + "bisqEasy.tradeCompleted.body.tradeFee" to "Trade fee", + "bisqEasy.tradeWizard.review.nextButton.takeOffer" to "Confirm trade", + "bisqEasy.openTrades.chat.peerLeft.headline" to "{0} has left the trade", + "bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.headline" to "Sending take-offer message", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.headline.MAIN_CHAIN" to "Fill in your Bitcoin address", + "bisqEasy.offerbook.marketListCell.numOffers.tooltip.many" to "{0} offers are available in the {1} market", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.prompt.LN" to "Fill in the preimage if available", + "bisqEasy.mediation.requester.tradeLogMessage" to "{0} requested mediation", + "bisqEasy.tradeWizard.review.table.baseAmount.buyer" to "You receive", + "bisqEasy.tradeWizard.review.table.price" to "Price in {0}", + "bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.paymentProof.MAIN_CHAIN" to "Transaction ID", + "bisqEasy.component.amount.baseSide.tooltip.bestOfferPrice" to "This is the Bitcoin amount with the best price\nfrom matching offers: {0}", + "bisqEasy.tradeWizard.review.headline.maker" to "Review offer", + "bisqEasy.openTrades.reportToMediator" to "Report to mediator", + "bisqEasy.tradeWizard.review.chatMessage.floatPrice.minus" to "-{0}", + "bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.info" to "Do not close the window or the application until you see the confirmation that the take-offer request was successfully sent.", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.sortTitle" to "Sort by:", + "bisqEasy.tradeWizard.review.priceDescription.taker" to "Trade price", + "bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.subTitle" to "Sending the take-offer message can take up to 2 minutes", + "bisqEasy.walletGuide.receive.headline" to "Receiving bitcoin in your wallet", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.headline" to "No matching offers found", + "bisqEasy.walletGuide.tabs.headline" to "Wallet guide", + "bisqEasy.offerbook.offerList.table.columns.fiatAmount" to "{0} amount", + "bisqEasy.takeOffer.makerBanned.warning" to "The maker of this offer is banned. Please try to use a different offer.", + "bisqEasy.price.feedback.learnWhySection.closeButton" to "Back to Trade Price", + "bisqEasy.tradeWizard.review.feeDescription" to "Fees", + "bisqEasy.takeOffer.amount.buyer.limitInfo.minAmountCovered.overlay.info" to "Seller''s reputation score of {0} provides security for up to {1}.\n\nIf you choose a higher amount, ensure that you are fully aware of the associated risks. Bisq Easy''s security model relies on the seller''s reputation, as the buyer is required to send fiat currency first.", + "bisqEasy.tradeWizard.review.paymentMethodDescriptions.btc.maker" to "Bitcoin settlement methods", + "bisqEasy.tradeWizard.review.headline.taker" to "Review trade", + "bisqEasy.takeOffer.review.takeOfferSuccess.headline" to "You have successfully taken the offer", + "bisqEasy.openTrades.failedAtPeer.popup" to "The peer''s trade failed due an error.\nError caused by: {0}\n\nStack trace: {1}", + "bisqEasy.tradeCompleted.header.myDirection.seller" to "I sold", + "bisqEasy.tradeState.info.buyer.phase1b.headline" to "Wait for the seller's payment account data", + "bisqEasy.price.feedback.sentence.some" to "some", + "bisqEasy.component.amount.baseSide.tooltip.seller.btcAmount" to "This is the Bitcoin amount to spend", + "bisqEasy.offerDetails.headline" to "Offer details", + "bisqEasy.openTrades.cancelTrade" to "Cancel trade", + "bisqEasy.tradeState.info.phase3b.button.next.noOutputForAddress" to "No output matching the address ''{0}'' in transaction ''{1}'' is found.\n\nHave you been able to resolve this issue with your trade peer?\nIf not, you may consider requesting mediation to help settle the matter.", + "bisqEasy.price.tradePrice.title" to "Fixed price", + "bisqEasy.openTrades.table.mediator" to "Mediator", + "bisqEasy.openTrades.tradeDetails.tradeId" to "Trade ID", + "bisqEasy.offerDetails.makersTradeTerms" to "Makers trade terms", + "bisqEasy.openTrades.chat.attach.tooltip" to "Restore chat back to main window", + "bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMax" to "Seller''s reputation score is only {0}. It is not recommended to trade more than", + "bisqEasy.privateChats.table.myUser" to "My profile", + "bisqEasy.tradeState.info.phase4.exportTrade" to "Export trade data", + "bisqEasy.takeOffer.amount.buyer.limitInfo.minAmountNotCovered" to "Seller''s reputation score of {0} does not provide sufficient security for that offer.", + "bisqEasy.tradeWizard.selectOffer.subHeadline" to "It is recommended to trade with users with high reputation.", + "bisqEasy.tradeWizard.review.nextButton.createOffer" to "Create offer", + "bisqEasy.offerbook.offerList.table.filters.paymentMethods.clearFilters" to "Clear filters", + "bisqEasy.openTrades.noTrades" to "You don't have any open trades", + "bisqEasy.tradeState.info.seller.phase2b.info" to "Visit your bank account or payment provider app to confirm receipt of the buyer's payment.", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.prompt.MAIN_CHAIN" to "Fill in your Bitcoin address", + "bisqEasy.tradeWizard.amount.seller.limitInfoAmount" to "{0}.", + "bisqEasy.openTrades.welcome.headline" to "Welcome to your first Bisq Easy trade!", + "bisqEasy.takeOffer.amount.description.limitedByTakersReputation" to "Your reputation score of {0} allows you can choose a trade amount\nbetween {1} and {2}", + "bisqEasy.tradeState.info.seller.phase1.buttonText" to "Send account data", + "bisqEasy.tradeState.info.phase3b.txId.failed" to "Transaction lookup to ''{0}'' failed with {1}: ''{2}''", + "bisqEasy.component.amount.baseSide.tooltip.taker.offerPrice" to "with the offer price: {0}", + "bisqEasy.takeOffer.review.takeOfferSuccessButton" to "Show trade in 'Open Trades'", + "bisqEasy.walletGuide.createWallet.headline" to "Creating your new wallet", + "bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.noProofProvided" to "{0} initiated the Bitcoin transfer.", + "bisqEasy.walletGuide.intro.headline" to "Get ready to receive your first Bitcoin", + "bisqEasy.openTrades.rejected.self" to "You have rejected the trade", + "bisqEasy.takeOffer.amount.headline.buyer" to "How much do you want to spend?", + "bisqEasy.tradeState.header.receive" to "Amount to receive", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.title" to "Attention to Price Change!", + "bisqEasy.offerDetails.priceValue" to "{0} (premium: {1})", + "bisqEasy.tradeWizard.review.chatMessage.floatPrice.below" to "{0} below market price", + "bisqEasy.tradeState.info.seller.phase1.headline" to "Send your payment account data to the buyer", + "bisqEasy.tradeWizard.market.columns.numPeers" to "Online peers", + "bisqEasy.tradeState.info.phase3b.button.next.amountNotMatching.resolved" to "I have resolved it", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.favourites" to "Only favourites", + "bisqEasy.openTrades.table.me" to "Me", + "bisqEasy.tradeCompleted.header.tradeId" to "Trade ID", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.description.MAIN_CHAIN" to "Bitcoin address", + "bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.linkToWikiText" to "For more details about the reputation system, visit the Bisq Wiki at:", + "bisqEasy.openTrades.table.tradePeer" to "Peer", + "bisqEasy.price.feedback.learnWhySection.openButton" to "Why?", + "bisqEasy.mediation.request.confirm.headline" to "Request mediation", + "bisqEasy.tradeWizard.review.paymentMethodDescription.btc" to "Bitcoin settlement method", + "bisqEasy.tradeWizard.paymentMethods.warn.tooLong" to "A custom payment method name must not be longer than 20 characters.", + "bisqEasy.walletGuide.download.link" to "Click here to visit Bluewallet's page", + "bisqEasy.openTrades.tradeDetails.lightningInvoice.copy" to "Copy lighting invoice", + "bisqEasy.onboarding.right.info" to "Browse the offerbook for the best offers or create your own offer.", + "bisqEasy.component.amount.maxRangeValue" to "Max {0}", + "bisqEasy.tradeState.info.phase3b.balance.invalid.noOutputsForAddress" to "No matching outputs found in transaction", + "bisqEasy.tradeWizard.review.priceDescription.maker" to "Offer price", + "bisqEasy.takeOffer.paymentMethods.subtitle.fiat.buyer" to "Choose a payment method to transfer {0}", + "bisqEasy.tradeGuide.security.headline" to "How safe is it to trade on Bisq Easy?", + "bisqEasy.takeOffer.amount.buyer.limitInfo.overlay.linkToWikiText" to "To learn more about the reputation system, visit:", + "bisqEasy.walletGuide.receive.link2" to "Bluewallet tutorial by BTC Sessions", + "bisqEasy.walletGuide.receive.link1" to "Bluewallet tutorial by Anita Posch", + "bisqEasy.tradeWizard.progress.amount" to "Amount", + "bisqEasy.tradeWizard.review.priceDetails.float" to "Float price. {0} {1} market price of {2}", + "bisqEasy.offerbook.chatMessage.deleteOffer.confirmation" to "Are you sure you want to delete this offer?", + "bisqEasy.openTrades.welcome.info" to "Please make yourself familiar with the concept, process and rules for trading on Bisq Easy.\nAfter you have read and accepted the trade rules you can start the trade.", + "bisqEasy.tradeState.info.seller.phase3a.fiatPaymentReceivedCheckBox" to "I confirmed to have received {0}", + "bisqEasy.offerbook" to "Offerbook", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.description.LN" to "Lightning invoice", + "bisqEasy.openTrades.table.makerTakerRole" to "My role", + "bisqEasy.tradeWizard.market.headline.buyer" to "In which currency do you want to pay?", + "bisqEasy.tradeWizard.amount.limitInfo.overlay.headline" to "Reputation-based trade amount limits", + "bisqEasy.tradeWizard.progress.takeOffer" to "Select offer", + "bisqEasy.tradeWizard.market.columns.numOffers" to "Num. offers", + "bisqEasy.offerbook.offerList.expandedList.tooltip" to "Collapse Offer List", + "bisqEasy.openTrades.failedAtPeer" to "The peer''s trade failed with an error caused by: {0}", + "bisqEasy.tradeState.info.buyer.phase3b.info.ln" to "Transfers via the Lightning Network are typically near-instant. If you haven't received the payment within one minute, please contact the seller in the trade chat. Occasionally, payments may fail and need to be retried.", + "bisqEasy.takeOffer.amount.buyer.limitInfo.learnMore" to "Learn more", + "bisqEasy.takeOffer.paymentMethods.subtitle.fiat.seller" to "Choose a payment method to receive {0}", + "bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo.leadLine" to "Since your min. amount is below {0}, sellers without reputation can take your offer.", + "bisqEasy.walletGuide.open" to "Open wallet guide", + "bisqEasy.tradeState.info.seller.phase3a.btcSentButton" to "I confirm to have sent {0}", + "bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMax.overlay.info" to "Seller''s reputation score of {0} does not provide sufficient security. However, for lower trade amounts (up to {1}), reputation requirements are more lenient.\n\nIf you decide to proceed despite the lack of the seller''s reputation, ensure that you are fully aware of the associated risks. Bisq Easy''s security model relies on the seller''s reputation, as the buyer is required to send fiat currency first.", + "bisqEasy.tradeState.paymentProof.MAIN_CHAIN" to "Transaction ID", + "bisqEasy.takeOffer.paymentMethods.subtitle.bitcoin.seller" to "Choose a settlement method to send Bitcoin", + "bisqEasy.offerbook.offerList.table.filters.showMyOffersOnly" to "My offers only", + "bisqEasy.component.amount.baseSide.tooltip.buyerInfo" to "Sellers may ask for a higher price as they have costs for acquiring reputation.\n5-15% price premium is common.", + "bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.scoreTooLow" to "Your reputation score of {0} doesn''t offer sufficient security for buyers.\n\nBuyers who consider to take your offer will receive a warning about potential risks when taking your offer.\n\nYou can find information on how to increase your reputation at ''Reputation/Build Reputation''.", + "bisqEasy.tradeState.info.phase3b.button.next.amountNotMatching" to "The output amount for the address ''{0}'' in transaction ''{1}'' is ''{2}'', which does not match the trade amount of ''{3}''.\n\nHave you been able to resolve this issue with your trade peer?\nIf not, you may consider requesting mediation to help settle the matter.", + "bisqEasy.tradeState.info.buyer.phase3b.balance" to "Received Bitcoin", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.overlay.info" to "Given the low min. amount of {0}, the reputation requirements are relaxed.\nFor amounts up to {1}, sellers do not need reputation.\n\nAt the ''Select Offer'' screen it is recommended to choose sellers with higher reputation.", + "bisqEasy.openTrades.tradeDetails.lightningInvoice" to "Lighting invoice", + "bisqEasy.tradeWizard.review.toPay" to "Amount to pay", + "bisqEasy.takeOffer.review.headline" to "Review trade", + "bisqEasy.openTrades.table.makerTakerRole.taker" to "Taker", + "bisqEasy.openTrades.chat.attach" to "Restore", + "bisqEasy.tradeWizard.amount.addMinAmountOption" to "Add min/max range for amount", + "bisqEasy.tradeWizard.paymentMethods.warn.noBtcSettlementMethodSelected" to "Please choose at least one Bitcoin settlement method.", + "bisqEasy.takeOffer.paymentMethods.subtitle.bitcoin.buyer" to "Choose a settlement method to receive Bitcoin", + "bisqEasy.openTrades.table.paymentMethod" to "Payment", + "bisqEasy.takeOffer.review.noTradeFees" to "No trade fees in Bisq Easy", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.tooltip" to "Scan QR code using your webcam", + "bisqEasy.tradeWizard.review.paymentMethodDescriptions.fiat.maker" to "Fiat payment methods", + "bisqEasy.tradeWizard.review.chatMessage.peerMessageTitle.sell" to "Sell Bitcoin to", + "bisqEasy.onboarding.left.info" to "The trade wizard guides you through your first Bitcoin trade. The Bitcoin sellers will help you if you have any questions.", + "bisqEasy.offerbook.offerList.collapsedList.tooltip" to "Expand Offer List", + "bisqEasy.price.feedback.sentence.low" to "low", + "bisqEasy.tradeState.info.seller.phase3b.info.MAIN_CHAIN" to "The Bitcoin payment require at least 1 blockchain confirmation to be considered complete.", + "bisqEasy.tradeWizard.review.toSend" to "Amount to send", + "bisqEasy.tradeState.info.seller.phase1.accountData.prompt" to "Fill in your payment account data. E.g. IBAN, BIC and account owner name", + "bisqEasy.tradeWizard.review.chatMessage.myMessageTitle" to "My Offer to {0} Bitcoin", + "bisqEasy.offerbook.offerList.table.columns.offerType.buy" to "Buying", + "bisqEasy.tradeWizard.directionAndMarket.feedback.headline" to "How to build up reputation?", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.info" to "For offers up to {0}, reputation requirements are relaxed.", + "bisqEasy.tradeWizard.review.createOfferSuccessButton" to "Show my offer in 'Offerbook'", + "bisqEasy.tradeWizard.review.takeOfferSuccess.subTitle" to "Please get in touch with the trade peer at 'Open Trades'.\nYou will find further information for the next steps over there.\n\nBe sure to regularly check the Bisq application for new messages from your trade peer.", + "bisqEasy.mediation.request.confirm.openMediation" to "Open mediation", + "bisqEasy.price.tradePrice.inputBoxText" to "Trade price in {0}", + "bisqEasy.tradeGuide.rules.content" to "- Prior to the exchange of account details between the seller and the buyer, any party can cancel the trade without providing justification.\n- Traders should regularly check their trades for new messages and must respond within 24 hours.\n- Once account details are exchanged, failing to meet trade obligations is considered a breach of the trade contract and may result in a ban from the Bisq network. This does not apply if the trade peer is unresponsive.\n- During Fiat payment, the buyer MUST NOT include terms like 'Bisq' or 'Bitcoin' in the 'reason for payment' field. Traders can agree on an identifier, such as a random string like 'H3TJAPD', to associate the bank transfer with the trade.\n- If the trade cannot be completed instantly due to longer Fiat transfer times, both traders must be online at least once a day to monitor the trade progress.\n- In the event that traders encounter unresolved issues, they have the option to invite a mediator into the trade chat for assistance.\n\nShould you have any questions or need assistance, don't hesitate to visit the chat rooms accessible under the 'Support' menu. Happy trading!", + "bisqEasy.offerbook.offerList.table.columns.peerProfile" to "Peer profile", + "bisqEasy.tradeState.info.phase3b.balance.invalid.amountNotMatching" to "Output amount from transaction is not matching trade amount", + "bisqEasy.tradeWizard.review.chatMessage.peerMessage.buy" to "Buy Bitcoin from {0}\nAmount: {1}\nBitcoin settlement method(s): {2}\nFiat payment method(s): {3}\n{4}", + "bisqEasy.openTrades.tradeDetails.assignedMediator" to "Assigned mediator", + "bisqEasy.price.percentage.title" to "Percentage price", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.connecting" to "Connecting to webcam...", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.learnMore" to "Learn more", + "bisqEasy.tradeGuide.open" to "Open trade guide", + "bisqEasy.tradeState.info.phase3b.lightning.preimage" to "Preimage", + "bisqEasy.tradeWizard.review.table.baseAmount.seller" to "You spend", + "bisqEasy.openTrades.cancelTrade.warning.buyer" to "Since the exchange of account details has commenced, canceling the trade without the seller''s {0}", + "bisqEasy.tradeWizard.review.chatMessage.marketPrice" to "Market price", + "bisqEasy.tradeWizard.amount.seller.limitInfo.link" to "Learn more", + "bisqEasy.openTrades.tradeDetails.headline" to "Trade Details", + "bisqEasy.tradeState.info.seller.phase2a.waitForPayment.info" to "Once the buyer has initiated the payment of {0}, you will get notified.", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.walletHelp" to "If you have not set up a wallet yet, you can find help at the wallet guide", + "bisqEasy.tradeGuide.security.content" to "- Bisq Easy's security model is optimized for small trade amounts.\n- The model relies on the reputation of the seller, who is usually an experienced Bisq user and is expected to provide helpful support to new users.\n- Building up reputation can be costly, leading to a common 5-15% price premium to cover extra expenses and compensate for the seller's service.\n- Trading with sellers lacking reputation carries significant risks and should only be undertaken if the risks are thoroughly understood and managed.", + "bisqEasy.openTrades.csv.paymentMethod" to "Payment method", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.button.accept" to "Accept price", + "bisqEasy.openTrades.failed" to "The trade failed with error message: {0}", + "bisqEasy.tradeState.info.seller.phase3b.headline.MAIN_CHAIN" to "Waiting for blockchain confirmation", + "bisqEasy.tradeState.info.buyer.phase3a.info" to "The seller need to start the Bitcoin transfer to your provided {0}.", + "bisqEasy.tradeState.info.seller.phase3b.headline.ln" to "Wait for buyer confirming Bitcoin receipt", + "bisqEasy.openTrades.tradeDetails.tradeDate" to "Trade date", + "bisqEasy.tradeState.phase4" to "Trade completed", + "bisqEasy.tradeWizard.review.detailsHeadline.taker" to "Trade details", + "bisqEasy.tradeState.phase3" to "Bitcoin transfer", + "bisqEasy.tradeWizard.review.takeOfferSuccess.headline" to "You have successfully taken the offer", + "bisqEasy.tradeState.phase2" to "Fiat payment", + "bisqEasy.tradeState.phase1" to "Account details", + "bisqEasy.openTrades.tradeDetails.tradersAndRole.copy" to "Copy peer username", + "bisqEasy.openTrades.tradeDetails.paymentAccountData.copy" to "Copy payment account data", + "bisqEasy.mediation.request.feedback.msg" to "A request to the registered mediators has been sent.\n\nPlease have patience until a mediator is online to join the trade chat and help to resolve any problems.", + "bisqEasy.offerBookChannel.description" to "Market channel for trading {0}", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.failed" to "Connecting to webcam failed", + "bisqEasy.tradeGuide.welcome.content" to "This guide provides an overview of essential aspects for buying or selling Bitcoin with Bisq Easy.\nIn this guide, you'll learn about the security model used at Bisq Easy, gain insights into the trade process, and familiarize yourself with the trade rules.\n\nFor any additional questions, feel free to visit the chat rooms available under the 'Support' menu.", + "bisqEasy.offerDetails.quoteSideAmount" to "{0} amount", + "bisqEasy.tradeState.info.seller.phase2a.waitForPayment.headline" to "Wait for the buyer''s {0} payment", + "bisqEasy.tradeState.info.buyer.phase2a.reasonForPaymentInfo" to "Please leave the 'Reason for payment' field empty, in case you make a bank transfer", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.proceed" to "Ignore warning", + "bisqEasy.offerbook.offerList.table.filters.paymentMethods.title" to "Payments ({0})", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.browseOfferbook" to "Browse offerbook", + "bisqEasy.openTrades.tradeDetails.dataNotYetProvided" to "Data not yet provided", + "bisqEasy.tradeState.info.seller.phase2b.fiatReceivedButton" to "Confirm receipt of {0}", + "bisqEasy.tradeWizard.amount.seller.limitInfo.noReputationNeededForMaxOrFixedAmount" to "For amounts up to {0} no reputation is required.", + "bisqEasy.openTrades.csv.receiverAddressOrInvoice" to "Receiver address/Invoice", + "bisqEasy.tradeWizard.review.chatMessage.peerMessage.sell" to "Sell Bitcoin to {0}\nAmount: {1}\nBitcoin settlement method(s): {2}\nFiat payment method(s): {3}\n{4}", + "bisqEasy.takeOffer.review.sellerPaysMinerFee" to "Seller pays the mining fee", + "bisqEasy.takeOffer.review.sellerPaysMinerFeeLong" to "The seller pays the mining fee", + "bisqEasy.tradeWizard.review.paymentMethodDescriptions.fiat.taker" to "Select fiat payment method", + "bisqEasy.tradeWizard.directionAndMarket.feedback.gainReputation" to "Learn how to build up reputation", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.MAIN_CHAIN" to "The Transaction ID that you have entered appears to be invalid.\n\nIf you are sure the Transaction ID is valid you can ignore this warning and proceed.", + "bisqEasy.tradeState.info.buyer.phase2a.quoteAmount" to "Amount to transfer", + "bisqEasy.offerbook.marketListCell.favourites.tooltip.removeFromFavourites" to "Remove from favourites", + "bisqEasy.offerbook.marketListCell.numOffers.tooltip.none" to "No offers yet available in the {0} market", + "bisqEasy.price.percentage.inputBoxText" to "Market price percentage between -10% and 50%", + "bisqEasy.takeOffer.amount.seller.limitInfo.overlay.info.scoreTooLow" to "For amounts up to {0} the reputation requirements are relaxed.\n\nYour reputation score of {1} doesn''t offer sufficient security for the buyer. However, given the low trade amount the buyer accepted to take the risk.\n\nYou can find information on how to increase your reputation at ''Reputation/Build Reputation''.", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.description.LN" to "Preimage (optional)", + "bisqEasy.takeOffer.bitcoinPaymentData.warning.MAIN_CHAIN" to "The Bitcoin address that you have entered appears to be invalid.\n\nIf you are sure the address is valid you can ignore this warning and proceed.", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.goBack" to "Change selection", + "bisqEasy.tradeWizard.amount.seller.wizard.numMatchingOffers.info" to "There {0} matching the chosen trade amount.", + "bisqEasy.tradeState.bitcoinPaymentData.MAIN_CHAIN" to "Bitcoin address", + "bisqEasy.onboarding.top.content1" to "Get a quick introduction into Bisq Easy", + "bisqEasy.onboarding.top.content2" to "See how the trade process works", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.description.MAIN_CHAIN" to "Transaction ID", + "bisqEasy.onboarding.top.content3" to "Learn about the simple trade rules", + "bisqEasy.tradeState.header.peer" to "Trade peer", + "bisqEasy.tradeState.info.phase3b.button.skip" to "Skip waiting for block confirmation", + "bisqEasy.openTrades.closeTrade.warning.completed" to "Your trade has been completed.\n\nYou can now close the trade or back up the trade data on your computer if needed.\n\nOnce the trade is closed all data related to the trade are gone, and you cannot communicate with the trade peer in the trade chat anymore.", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.noReputationNeededForMaxOrFixedAmount.riskInfo" to "Be sure you fully understand the risks involved.", + "bisqEasy.tradeState.info.buyer.phase1a.tradeLogMessage.LN" to "{0} has sent the Lightning invoice ''{1}''", + "bisqEasy.openTrades.cancelled.peer" to "Your trade peer has cancelled the trade", + "bisqEasy.tradeCompleted.header.myOutcome.seller" to "I received", + "bisqEasy.tradeWizard.review.chatMessage.offerDetails" to "Amount: {0}\nBitcoin settlement method(s): {1}\nFiat payment method(s): {2}\n{3}", + "bisqEasy.takeOffer.bitcoinPaymentData.warning.proceed" to "Ignore warning", + "bisqEasy.takeOffer.review.detailsHeadline" to "Trade details", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.info" to "A seller who wants to take your offer of {0}, must have a reputation score of at least {1}.\nBy reducing the maximum trade amount, you make your offer accessible to more sellers.", + "bisqEasy.tradeState.info.buyer.phase2a.tradeLogMessage" to "{0} initiated the {1} payment", + "bisqEasy.takeOffer.amount.seller.limitInfo.scoreTooLow" to "As your reputation score is only {0} your trade amount is restricted to", + "bisqEasy.tradeState.info.seller.phase3a.baseAmount" to "Amount to send", + "bisqEasy.takeOffer.review.takeOfferSuccess.subTitle" to "Please get in touch with the trade peer at 'Open Trades'.\nYou will find further information for the next steps over there.\n\nBe sure to regularly check the Bisq application for new messages from your trade peer.", + "bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.paymentProof.LN" to "Preimage", + "bisqEasy.tradeCompleted.body.txId.tooltip" to "Open block explorer transaction", + "bisqEasy.offerbook.marketListCell.numOffers.many" to "{0} offers", + "bisqEasy.walletGuide.createWallet.content" to "Bluewallet allows you to create several wallets for different purposes. For now, you only need to have one wallet. Once you enter Bluewallet, you will see a message suggesting you add a new wallet. Once you do that, enter a name for your wallet and pick the option *Bitcoin* under the *Type* section. You can leave all other options as they appear and click on *Create*.\n\nWhen you move to the next step, you will be presented with 12 words. These 12 words are the backup that allows you to recover your wallet if something happens to your phone. Write them down on a piece of paper (not digitally) in the same order in which they are presented, store this paper safely and make sure only you have access to it. You can read more about how to secure your wallet in the Learn sections of Bisq 2 dedicated to wallets and security.\n\nOnce you are done, click on 'Ok, I wrote it down'.\nCongratulations! You have created your wallet! Let's move on to how to receive your bitcoin in it.", + "bisqEasy.tradeCompleted.body.tradeFee.value" to "No trade fees in Bisq Easy", + "bisqEasy.walletGuide.download.content" to "There are many wallets out there that you can use. In this guide, we will show you how to use Bluewallet. Bluewallet is great and, at the same time, very simple, and you can use it to receive your bitcoin from Bisq Easy.\n\nYou can download Bluewallet on your phone, regardless of whether you have an Android or iOS device. To do so, you can visit the official webpage at 'bluewallet.io'. Once you are there, click on App Store or Google Play depending on the device you are using.\n\nImportant note: for your safety, make sure that you download the app from the official app store of your device. The official app is provided by 'Bluewallet Services, S.R.L.', and you should be able to see this in your app store. Downloading a malicious wallet could put your funds at risk.\n\nFinally, a quick note: Bisq is not affiliated with Bluewallet in any way. We suggest using Bluewallet due to its quality and simplicity, but there are many other options on the market. You should feel absolutely free to compare, try and choose whichever wallet fits your needs best.", + "bisqEasy.tradeState.info.phase4.txId.tooltip" to "Open transaction in block explorer", + "bisqEasy.price.feedback.sentence" to "Your offer has {0} chances to be taken at this price.", + "bisqEasy.takeOffer.paymentMethods.headline.fiatAndBitcoin" to "Which payment and settlement method do you want to use?", + "bisqEasy.tradeWizard.paymentMethods.headline" to "Which payment and settlement methods do you want to use?", + "bisqEasy.openTrades.tradeDetails.offerTypeAndMarket.buyOffer" to "Buy offer", + "bisqEasy.tradeWizard.amount.buyer.limitInfo" to "There {0} in the network with sufficient reputation to take an offer of {1}.", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.nameAZ" to "Name A-Z", + "bisqEasy.tradeCompleted.header.myDirection.btc" to "btc", + "bisqEasy.tradeGuide.notConfirmed.warn" to "Please read the trade guide and confirm that you have read and understood the trade rules.", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.info.leadLine" to "There {0} matching the chosen trade amount.", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.linkToWikiText" to "To learn more about the reputation system, visit:", + "bisqEasy.tradeState.info.seller.phase3b.info.ln" to "Transfers via the Lightning Network are usually near-instant and reliable. However, in some cases, payments may fail and need to be repeated.\n\nTo avoid any issues, please wait for the buyer to confirm receipt in the trade chat before closing the trade, as communication will no longer be possible afterward.", + "bisqEasy.tradeGuide.process" to "Process", + "bisqEasy.offerbook.dropdownMenu.messageTypeFilter.all" to "All activity", + "bisqEasy.tradeWizard.paymentMethods.warn.customNameMatchesPredefinedMethod" to "The name of your custom payment method must not be the same as one of the predefined.", + "bisqEasy.tradeState.info.phase3b.balance.help.explorerLookup" to "Looking up transaction at block explorer ''{0}''", + "bisqEasy.tradeWizard.progress.paymentMethods" to "Payment methods", + "bisqEasy.openTrades.table.quoteAmount" to "Amount", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.filterTitle" to "Show markets:", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.LN" to "The preimage that you have entered appears to be invalid.\n\nIf you are sure the preimage is valid you can ignore this warning and proceed.", + "bisqEasy.tradeState.info.seller.phase1.accountData" to "My payment account data", + "bisqEasy.price.feedback.sentence.good" to "good", + "bisqEasy.takeOffer.review.method.fiat" to "Fiat payment method", + "bisqEasy.offerbook.offerList" to "Offer List", + "bisqEasy.openTrades.tradeDetails.open" to "Open trade details", + "bisqEasy.offerDetails.baseSideAmount" to "Bitcoin amount", + "bisqEasy.tradeState.info.seller.phase3a.bitcoinPayment.description.MAIN_CHAIN" to "Bitcoin address", + "bisqEasy.tradeState.info.phase3b.txId" to "Transaction ID", + "bisqEasy.tradeWizard.review.paymentMethodDescription.fiat" to "Fiat payment method", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.prompt.MAIN_CHAIN" to "Fill in the Bitcoin transaction ID", + "bisqEasy.tradeState.info.seller.phase3b.balance" to "Bitcoin payment", + "bisqEasy.takeOffer.amount.headline.seller" to "How much do you want to trade?", + "bisqEasy.tradeWizard.paymentMethods.warn.maxMethodsReached" to "You cannot add more than 4 payment methods.", + "bisqEasy.tradeCompleted.header.tradeWith" to "Trade with", + ), + "reputation" to mapOf( + "reputation.burnBsq" to "Burning BSQ", + "reputation.signedWitness.import.step2.instruction" to "Copy the profile ID to paste on Bisq 1.", + "reputation.signedWitness.import.step4.instruction" to "Paste the json data from the previous step", + "reputation.buildReputation.accountAge.description" to "Users of Bisq 1 can gain reputation by importing their account age from Bisq 1 into Bisq 2.", + "reputation.reputationScore.explanation.ranking.description" to "Ranks users from highest to lowest score.\nAs a rule of thumb when trading: the higher the rank, the better likelihood of a successful trade.", + "user.bondedRoles.type.MEDIATOR.how.inline" to "a mediator", + "reputation.totalScore" to "Total score", + "user.bondedRoles.registration.requestRegistration" to "Request registration", + "reputation.reputationScore" to "Reputation score", + "reputation.signedWitness.info" to "By linking your Bisq 1 'signed account age witness' you can provide some level of trust. There are some reasonable expectations that a user who has traded a while back on Bisq 1 and got signed their account is an honest user. But that expectation is weak compared to other forms of reputation where the user provides more \"skin in the game\" with the use of financial resources.", + "user.bondedRoles.headline.roles" to "Bonded roles", + "reputation.request.success" to "Successfully requested authorization from Bisq 1 bridge node\n\nYour reputation data should now be available in the network.", + "reputation.bond.score.headline" to "Impact on reputation score", + "user.bondedRoles.type.RELEASE_MANAGER.about.inline" to "release manager", + "reputation.source.BISQ1_ACCOUNT_AGE" to "Account age", + "reputation.table.columns.profileAge" to "Profile age", + "reputation.burnedBsq.info" to "By burning BSQ you provide evidence that you invested money into your reputation.\nThe burn BSQ transaction contains the hash of the public key of your profile. In case of malicious behaviour your profile might get banned and with that your investment into your reputation would become worthless.", + "reputation.signedWitness.import.step1.instruction" to "Select the user profile for which you want to attach the reputation.", + "reputation.signedWitness.totalScore" to "Witness age in days * weight", + "reputation.table.columns.details.button" to "Show details", + "reputation.ranking" to "Ranking", + "reputation.accountAge.import.step2.profileId" to "Profile ID (Paste on the account screen on Bisq 1)", + "reputation.accountAge.infoHeadline2" to "Privacy implications", + "user.bondedRoles.registration.how.headline" to "How to become {0}?", + "reputation.details.table.columns.lockTime" to "Lock time", + "reputation.buildReputation.learnMore.link" to "Bisq Wiki.", + "reputation.reputationScore.explanation.intro" to "Reputation at Bisq2 is captured in three elements:", + "reputation.score.tooltip" to "Score: {0}\nRanking: {1}", + "user.bondedRoles.cancellation.failed" to "Sending the cancellation request failed.\n\n{0}", + "reputation.accountAge.tab3" to "Import", + "reputation.accountAge.tab2" to "Score", + "reputation.score" to "Score", + "reputation.accountAge.tab1" to "Why", + "reputation.accountAge.import.step4.signedMessage" to "Json data from Bisq 1", + "reputation.request.error" to "Requesting authorization failed. Text from clipboard:\n{0}", + "reputation.signedWitness.import.step3.instruction1" to "3.1. - Open Bisq 1 and go to 'ACCOUNT/NATIONAL CURRENCY ACCOUNTS'.", + "user.bondedRoles.type.MEDIATOR.about.info" to "If there are conflicts in a Bisq Easy trade the traders can request help from a mediator.\nThe mediator has no enforcement power and can only try to assist in finding a cooperative resolution. In case of clear violations of the trade rules or scam attempts the mediator can provide information to the moderator to ban the bad actor from the network.\nMediators and arbitrators from Bisq 1 can become Bisq 2 mediators without locking up a new BSQ bond.", + "reputation.signedWitness.import.step3.instruction3" to "3.3. - This will create json data with a signature of your Bisq 2 Profile ID and copy it to the clipboard.", + "user.bondedRoles.table.columns.role" to "Role", + "reputation.accountAge.import.step1.instruction" to "Select the user profile for which you want to attach the reputation.", + "reputation.signedWitness.import.step3.instruction2" to "3.2. - Select the oldest account and click 'EXPORT SIGNED WITNESS FOR BISQ 2'.", + "reputation.accountAge.import.step2.instruction" to "Copy the profile ID to paste on Bisq 1.", + "reputation.signedWitness.score.info" to "Importing 'signed account age witness' is considered a weak form of reputation which is represented by the weight factor. The 'signed account age witness' has to be at least 61 days old and there is a cap of 2000 days for the score calculation.", + "user.bondedRoles.type.SECURITY_MANAGER" to "Security manager", + "reputation.accountAge.import.step4.instruction" to "Paste the json data from the previous step", + "reputation.buildReputation.intro.part1.formula.footnote" to "* Converted to the currency used.", + "user.bondedRoles.type.SECURITY_MANAGER.about.inline" to "security manager", + "user.bondedRoles.type.MARKET_PRICE_NODE.about.info" to "The market price node provides market data from the Bisq market price aggregator.", + "reputation.burnedBsq.score.headline" to "Impact on reputation score", + "user.bondedRoles.type.MODERATOR.about.inline" to "moderator", + "reputation.burnedBsq.infoHeadline" to "Skin in the game", + "user.bondedRoles.type.ARBITRATOR.about.inline" to "arbitrator", + "user.bondedRoles.registration.how.info.node" to "9. Copy the 'default_node_address.json' file from the data directory of the node you want to register to your hard drive and open it with the 'Import node address' button.\n10. Click the 'Request registration' button. If all was correct your registration becomes visible in the Registered network nodes table.", + "user.bondedRoles.type.MODERATOR" to "Moderator", + "reputation.buildReputation.intro.part2" to "If a seller posts an offer with an amount not covered by their reputation score, the buyer will see a warning about the potential risks when taking that offer.", + "reputation.buildReputation.intro.part1" to "Bisq Easy's security model relies on the seller's reputation. This is because during a trade the buyer sends the fiat amount first, therefore the seller needs to provide reputation to establish some level of security.\nA seller can take offers up to the amount derived from their reputation score.\nIt is calculated as follows:", + "user.bondedRoles.type.SEED_NODE" to "Seed node", + "reputation.bond.infoHeadline2" to "What is the recommended amount and lock time?", + "reputation.bond.tab2" to "Score", + "reputation.bond.tab1" to "Why", + "reputation" to "Reputation", + "user.bondedRoles.registration.showInfo" to "Show instructions", + "reputation.bond.tab3" to "How-to", + "user.bondedRoles.table.columns.isBanned" to "Is banned", + "reputation.burnedBsq.totalScore" to "Burned BSQ amount * weight * (1 + age / 365)", + "reputation.request" to "Request authorization", + "user.bondedRoles.type.MARKET_PRICE_NODE.how.inline" to "a market price node operator", + "reputation.reputationScore.explanation.stars.title" to "Stars", + "user.bondedRoles.type.MEDIATOR" to "Mediator", + "reputation.buildReputation" to "Build reputation", + "reputation.buildReputation.accountAge.title" to "Account age", + "reputation.source.BSQ_BOND" to "Bonded BSQ", + "reputation.table.columns.details.popup.headline" to "Reputation details", + "user.bondedRoles.type.RELEASE_MANAGER.about.info" to "A release manager can send notifications when a new release is available.", + "reputation.accountAge.infoHeadline" to "Provide trust", + "reputation.accountAge.import.step4.title" to "Step 4", + "user.bondedRoles.type.SEED_NODE.about.inline" to "seed node operator", + "reputation.sim.burnAmount.prompt" to "Enter the BSQ amount", + "reputation.score.formulaHeadline" to "The reputation score is calculated as follows:", + "reputation.buildReputation.accountAge.button" to "Learn how to import account age", + "reputation.signedWitness.tab2" to "Score", + "reputation.signedWitness.tab1" to "Why", + "reputation.table.columns.reputation" to "Reputation", + "user.bondedRoles.verification.howTo.instruction" to "1. Open Bisq 1 and go to 'DAO/Bonding/Bonded roles' and select the role by the bond-username and the role type.\n2. Click on the verify button, copy the profile ID and paste it into the message field.\n3. Copy the signature and paste it into the signature field in Bisq 1.\n4. Click the verify button. If the signature check succeeds, the bonded role is valid.", + "reputation.signedWitness.tab3" to "How-to", + "reputation.buildReputation.title" to "How can sellers build up their reputation?", + "reputation.buildReputation.bsqBond.button" to "Learn how to bond BSQ", + "reputation.burnedBsq.infoHeadline2" to "What is the recommended amount to burn?", + "reputation.signedWitness.import.step4.signedMessage" to "Json data from Bisq 1", + "reputation.buildReputation.burnBsq.button" to "Learn how to burn BSQ", + "reputation.accountAge.score.info" to "Importing 'account age' is considered a rather weak form of reputation which is represented by the low weight factor. There is a cap of 2000 days for the score calculation.", + "reputation.reputationScore.intro" to "In this section Bisq reputation is explained so that you can make informed decisions when taking an offer.", + "user.bondedRoles.registration.bondHolderName" to "Username of bond holder", + "user.bondedRoles.type.SEED_NODE.about.info" to "A seed node provides network addresses of network participants for bootstrapping to the Bisq 2 P2P network.\nThis is essential at the very fist start as at that moment the new user has no persisted data yet for connecting to other peers.\nIt also provides P2P network data like chat messages to the freshly connecting user. That data delivery service is also performed by any other network node, though as seed nodes have 24/7 availability and a high level of quality of service they provide more stability and better performance, thus leading to a better bootstrap experience.\nSeed node operators from Bisq 1 can become Bisq 2 seed node operators without locking up a new BSQ bond.", + "reputation.table.headline" to "Reputation ranking", + "user.bondedRoles.type.SECURITY_MANAGER.how.inline" to "a security manager", + "reputation.buildReputation.bsqBond.description" to "Similar to burning BSQ but using refundable BSQ bonds.\nBSQ needs to be bonded for a minimum of 50,000 blocks (about 1 year).", + "user.bondedRoles.registration.node.addressInfo.prompt" to "Import the 'default_node_address.json' file from the node data directory.", + "user.bondedRoles.registration.node.privKey" to "Private key", + "user.bondedRoles.registration.headline" to "Request registration", + "reputation.sim.lockTime" to "Lock time in blocks", + "reputation.bond" to "BSQ bonds", + "user.bondedRoles.registration.signature.prompt" to "Paste the signature from you bonded role", + "reputation.buildReputation.burnBsq.title" to "Burning BSQ", + "user.bondedRoles.table.columns.node.address" to "Address", + "reputation.reputationScore.explanation.score.title" to "Score", + "user.bondedRoles.type.MARKET_PRICE_NODE" to "Market price node", + "reputation.bond.info2" to "The lock time need to be at least 50 000 blocks which is about 1 year to be considered a valid bond. The amount can be chosen by the user and will determine the ranking to other sellers. The sellers with the highest reputation score will have better trade opportunities and can get a higher price premium. The best offers ranked by reputation will get promoted in the offer selection at the 'Trade wizard'.", + "reputation.accountAge.info2" to "Linking your Bisq 1 account with Bisq 2 has some implications on your privacy. For verifying your 'account age' your Bisq 1 identity gets cryptographically linked to your Bisq 2 profile ID.\nThough, the exposure is limited to the 'Bisq 1 bridge node' which is operated by a Bisq contributor who has set up a BSQ bond (bonded role).\n\nAccount age is an alternative for those who do not want to use burned BSQ or BSQ bonds due to the financial cost. The 'account age' should be at least several months old to reflect some level of trust.", + "reputation.signedWitness.score.headline" to "Impact on reputation score", + "reputation.accountAge.info" to "By linking your Bisq 1 'account age' you can provide some level of trust. There are some reasonable expectations that a user who has used Bisq for some time is an honest user. But that expectation is weak compared to other forms of reputation where the user provides stronger proof with the use of some financial resources.", + "reputation.reputationScore.closing" to "For more details on how a seller has built their reputation, see 'Ranking' section and click 'Show details' in the user.", + "user.bondedRoles.cancellation.success" to "Cancellation request was successfully sent. You will see in the table below if the cancellation request was successfully verified and the role removed by the oracle node.", + "reputation.buildReputation.intro.part1.formula.output" to "Maximum trade amount in USD *", + "reputation.buildReputation.signedAccount.title" to "Signed account age witness", + "reputation.signedWitness.infoHeadline" to "Provide trust", + "user.bondedRoles.type.EXPLORER_NODE.about.info" to "The blockchain explorer node is used in Bisq Easy for transaction lookup of the Bitcoin transaction.", + "reputation.buildReputation.signedAccount.description" to "Users of Bisq 1 can gain reputation by importing their signed account age from Bisq 1 into Bisq 2.", + "reputation.burnedBsq.score.info" to "Burning BSQ is considered the strongest form of reputation which is represented by the high weight factor. A time-based boost is applied during the first year, gradually increasing the score up to double its initial value.", + "reputation.accountAge" to "Account age", + "reputation.burnedBsq.howTo" to "1. Select the user profile for which you want to attach the reputation.\n2. Copy the 'profile ID'\n3. Open Bisq 1 and go to 'DAO/PROOF OF BURN' and paste the copied value into the 'pre-image' field.\n4. Enter the amount of BSQ you want to burn.\n5. Publish the Burn BSQ transaction.\n6. After blockchain confirmation your reputation will become visible in your profile.", + "user.bondedRoles.type.ARBITRATOR.how.inline" to "a arbitrator", + "user.bondedRoles.type.RELEASE_MANAGER" to "Release manager", + "reputation.bond.info" to "By setting up a BSQ bond you provide evidence that you locked up money for gaining reputation.\nThe BSQ bond transaction contains the hash of the public key of your profile. In case of malicious behaviour your bond could get confiscated by the DAO and your profile might get banned.", + "reputation.weight" to "Weight", + "reputation.buildReputation.bsqBond.title" to "Bonding BSQ", + "reputation.sim.age" to "Age in days", + "reputation.burnedBsq.howToHeadline" to "Process for burning BSQ", + "reputation.bond.howToHeadline" to "Process for setting up a BSQ bond", + "reputation.sim.age.prompt" to "Enter the age in days", + "user.bondedRoles.type.SECURITY_MANAGER.about.info" to "A security manager can send an alert message in case of emergency situations.", + "reputation.bond.score.info" to "Setting up a BSQ bond is considered a strong form of reputation. Lock time must be at least: 50 000 blocks (about 1 year). A time-based boost is applied during the first year, gradually increasing the score up to double its initial value.", + "reputation.signedWitness" to "Signed account age witness", + "user.bondedRoles.registration.about.headline" to "About the {0} role", + "user.bondedRoles.registration.hideInfo" to "Hide instructions", + "reputation.source.BURNED_BSQ" to "Burned BSQ", + "reputation.buildReputation.learnMore" to "Learn more about the Bisq reputation system at the", + "reputation.reputationScore.explanation.stars.description" to "This is a graphical representation of the score. See the conversion table below for how stars are calculated.\nIt is recommended to trade with sellers who have the highest number of stars.", + "reputation.burnedBsq.tab1" to "Why", + "reputation.burnedBsq.tab3" to "How-to", + "reputation.burnedBsq.tab2" to "Score", + "user.bondedRoles.registration.node.addressInfo" to "Node address data", + "reputation.buildReputation.signedAccount.button" to "Learn how to import signed account", + "user.bondedRoles.type.ORACLE_NODE.about.info" to "The oracle node is used to provide Bisq 1 and DAO data for Bisq 2 use cases like reputation.", + "reputation.buildReputation.intro.part1.formula.input" to "Reputation score", + "reputation.signedWitness.import.step2.title" to "Step 2", + "reputation.table.columns.reputationScore" to "Reputation score", + "user.bondedRoles.table.columns.node.address.openPopup" to "Open address data popup", + "reputation.sim.lockTime.prompt" to "Enter lock time", + "reputation.sim.score" to "Total score", + "reputation.accountAge.import.step3.title" to "Step 3", + "reputation.signedWitness.info2" to "Linking your Bisq 1 account with Bisq 2 has some implications on your privacy. For verifying your 'signed account age witness' your Bisq 1 identity gets cryptographically linked to your Bisq 2 profile ID.\nThough, the exposure is limited to the 'Bisq 1 bridge node' which is operated by a Bisq contributor who has set up a BSQ bond (bonded role).\n\nSigned account age witness is an alternative for those who don't want to use burned BSQ or BSQ bonds due to the financial burden. The 'signed account age witness' has to be at least 61 days old to be considered for reputation.", + "user.bondedRoles.type.RELEASE_MANAGER.how.inline" to "a release manager", + "user.bondedRoles.table.columns.oracleNode" to "Oracle node", + "reputation.accountAge.import.step2.title" to "Step 2", + "user.bondedRoles.type.MODERATOR.about.info" to "Chat users can report violations of the chat or trade rules to the moderator.\nIn case the provided information is sufficient to verify a rule violation the moderator can ban that user from the network.\nIn case of severe violations of a seller who had earned some sort of reputation, the reputation becomes invalidated and the relevant source data (like the DAO transaction or account age data) will be blacklisted in Bisq 2 and reported back to Bisq 1 by the oracle operator and the user will get banned at Bisq 1 as well.", + "reputation.source.PROFILE_AGE" to "Profile age", + "reputation.bond.howTo" to "1. Select the user profile for which you want to attach the reputation.\n2. Copy the 'profile ID'\n3. Open Bisq 1 and go to 'DAO/BONDING/BONDED REPUTATION' and paste the copied value into the 'salt' field.\n4. Enter the amount of BSQ you want to lock up and the lock time (50 000 blocks).\n5. Publish the lockup transaction.\n6. After blockchain confirmation your reputation will become visible in your profile.", + "reputation.table.columns.details" to "Details", + "reputation.details.table.columns.score" to "Score", + "reputation.bond.infoHeadline" to "Skin in the game", + "user.bondedRoles.registration.node.showKeyPair" to "Show key pair", + "user.bondedRoles.table.columns.userProfile.defaultNode" to "Node operator with statically provided key", + "reputation.signedWitness.import.step1.title" to "Step 1", + "user.bondedRoles.type.MODERATOR.how.inline" to "a moderator", + "user.bondedRoles.cancellation.requestCancellation" to "Request cancellation", + "user.bondedRoles.verification.howTo.nodes" to "How to verify a network node?", + "user.bondedRoles.registration.how.info" to "1. Select the user profile you want to use for registration and create a backup of your data directory.\n3. Make a proposal at 'https://github.com/bisq-network/proposals' to become {0} and add your profile ID to the proposal.\n4. After your proposal got reviewed and got support from the community, make a DAO proposal for a bonded role.\n5. After your DAO proposal got accepted in DAO voting lock up the required BSQ bond.\n6. After your bond transaction is confirmed go to 'DAO/Bonding/Bonded roles' in Bisq 1 and click on the sign button to open the signing popup window.\n7. Copy the profile ID and paste it into the message field. Click sign and copy the signature. Paste the signature to the Bisq 2 signature field.\n8. Enter the bondholder username.\n{1}", + "reputation.accountAge.score.headline" to "Impact on reputation score", + "user.bondedRoles.table.columns.userProfile" to "User profile", + "reputation.accountAge.import.step1.title" to "Step 1", + "reputation.signedWitness.import.step3.title" to "Step 3", + "user.bondedRoles.registration.profileId" to "Profile ID", + "user.bondedRoles.type.ARBITRATOR" to "Arbitrator", + "user.bondedRoles.type.ORACLE_NODE.how.inline" to "an oracle node operator", + "reputation.pubKeyHash" to "Profile ID", + "reputation.reputationScore.sellerReputation" to "The reputation of a seller is the best signal\nto predict the likelihood of a successful trade in Bisq Easy.", + "user.bondedRoles.table.columns.signature" to "Signature", + "user.bondedRoles.registration.node.pubKey" to "Public key", + "user.bondedRoles.type.EXPLORER_NODE.about.inline" to "explorer node operator", + "user.bondedRoles.table.columns.profileId" to "Profile ID", + "user.bondedRoles.type.MARKET_PRICE_NODE.about.inline" to "market price node operator", + "reputation.source.BISQ1_SIGNED_ACCOUNT_AGE_WITNESS" to "Signed witness", + "reputation.accountAge.import.step3.instruction1" to "3.1. - Open Bisq 1 and go to 'ACCOUNT/NATIONAL CURRENCY ACCOUNTS'.", + "reputation.accountAge.import.step3.instruction2" to "3.2. - Select the oldest account and click 'EXPORT ACCOUNT AGE FOR BISQ 2'.", + "reputation.accountAge.import.step3.instruction3" to "3.3. - This will create json data with a signature of your Bisq 2 Profile ID and copy it to the clipboard.", + "user.bondedRoles.table.columns.node.address.popup.headline" to "Node address data", + "reputation.reputationScore.explanation.score.description" to "This is the total score a seller has built up so far.\nThe score can be increased in several ways. The best way to do so is by burning or bonding BSQ. This means the seller has put a stake upfront and, as a result, can be regarded as trustworthy.\nFurther reading on how to increase the score can be found in 'Build reputation' section.\nIt is recommended to trade with sellers who have the highest score.", + "reputation.details.table.columns.source" to "Type", + "reputation.sim.burnAmount" to "BSQ amount", + "reputation.buildReputation.burnBsq.description" to "This is the strongest form of reputation.\nThe score gained by burning BSQ doubles during the first year.", + "user.bondedRoles.registration.failed" to "Sending the registration request failed.\n\n{0}", + "user.bondedRoles.type.ORACLE_NODE" to "Oracle node", + "user.bondedRoles.table.headline.nodes" to "Registered network nodes", + "user.bondedRoles.headline.nodes" to "Network nodes", + "user.bondedRoles.registration.bondHolderName.prompt" to "Enter the username of the Bisq 1 bond holder", + "reputation.burnedBsq.info2" to "That will be determined by the competition of sellers. The sellers with the highest reputation score will have better trade opportunities and can get a higher price premium. The best offers ranked by reputation will get promoted in the offer selection at the 'Trade wizard'.", + "reputation.reputationScore.explanation.ranking.title" to "Ranking", + "reputation.sim.headline" to "Simulation tool:", + "reputation.accountAge.totalScore" to "Account age in days * weight", + "user.bondedRoles.table.columns.node" to "Node", + "user.bondedRoles.verification.howTo.roles" to "How to verify a bonded role?", + "reputation.signedWitness.import.step2.profileId" to "Profile ID (Paste on the account screen on Bisq 1)", + "reputation.bond.totalScore" to "BSQ amount * weight * (1 + age / 365)", + "user.bondedRoles.type.ORACLE_NODE.about.inline" to "oracle node operator", + "reputation.table.columns.userProfile" to "User profile", + "user.bondedRoles.registration.signature" to "Signature", + "reputation.table.columns.livenessState" to "Last user activity", + "user.bondedRoles.table.headline.roles" to "Registered bonded roles", + "reputation.signedWitness.import.step4.title" to "Step 4", + "user.bondedRoles.type.EXPLORER_NODE" to "Explorer node", + "user.bondedRoles.type.MEDIATOR.about.inline" to "mediator", + "user.bondedRoles.type.EXPLORER_NODE.how.inline" to "an explorer node operator", + "user.bondedRoles.registration.success" to "Registration request was successfully sent. You will see in the table below if the registration was successfully verified and published by the oracle node.", + "reputation.signedWitness.infoHeadline2" to "Privacy implications", + "user.bondedRoles.type.SEED_NODE.how.inline" to "a seed node operator", + "reputation.buildReputation.headline" to "Build reputation", + "reputation.reputationScore.headline" to "Reputation score", + "user.bondedRoles.registration.node.importAddress" to "Import node address", + "user.bondedRoles.registration.how.info.role" to "9. Click the 'Request registration' button. If all was correct your registration becomes visible in the Registered bonded roles table.", + "user.bondedRoles.table.columns.bondUserName" to "Bond username", + ), + "chat" to mapOf( + "chat.message.wasEdited" to "(edited)", + "support.support.description" to "Channel for support questions", + "chat.message.reactionPopup" to "reacted with", + "chat.listView.scrollDown" to "Scroll down", + "chat.message.privateMessage" to "Send private message", + "chat.notifications.offerTaken.message" to "Trade ID: {0}", + "discussion.bisq.description" to "Public channel for discussions", + "chat.reportToModerator.info" to "Please make yourself familiar with the trade rules and be sure the reason for reporting is considered a violation of those rules.\nYou can read up the trade rules and chat rules when clicking on the question mark icon in the top-right corner at the chat screens.", + "chat.notificationsSettingsMenu.all" to "All messages", + "chat.message.deliveryState.ADDED_TO_MAILBOX" to "Message added to peer's mailbox.", + "chat.channelDomain.SUPPORT" to "Support", + "chat.sideBar.channelInfo.notifications.off" to "Off", + "discussion.bitcoin.title" to "Bitcoin", + "support.support.title" to "Assistance", + "chat.ignoreUser.warn" to "Selecting 'Ignore user' will effectively hide all messages from this user.\n\nThis action will take effect the next time you enter the chat.\n\nTo reverse this, go to the more options menu > Channel Info > Participants and select 'Undo ignore' next to the user.", + "events.meetups.description" to "Channel for announcements for meetups", + "chat.message.deliveryState.FAILED" to "Sending message failed.", + "chat.sideBar.channelInfo.notifications.all" to "All messages", + "discussion.bitcoin.description" to "Channel for discussions about Bitcoin", + "chat.message.input.prompt" to "Type a new message", + "chat.channelDomain.BISQ_EASY_OFFERBOOK" to "Bisq Easy", + "chat.message.takeOffer.buyer.makersReputationScoreTooLow.no" to "No, I look for another offer", + "chat.message.send.textMsgOnly.warn" to "You have the 'Only messages' option selected. Offer messages will not be displayed in that mode.\n\nDo you want to change the mode to see all activity?", + "chat.ellipsisMenu.tradeGuide" to "Trade guide", + "chat.chatRules.content" to "- Be respectful: Treat others kindly, avoid offensive language, personal attacks, and harassment.- Be tolerant: Keep an open mind and accept that others might have different views, cultural background and experiences.- No spamming: Refrain from flooding the chat with repetitive or irrelevant messages.- No advertising: Avoid promoting commercial products, services, or posting promotional links.- No trolling: Disruptive behavior and intentional provocation are not welcome.- No impersonation: Do not use nicknames that mislead others into thinking you are a well-known person.- Respect privacy: Protect your and others' privacy; don't share trade details.- Report misconduct: Report rule violations or inappropriate behavior to the moderator.- Enjoy the chat: Engage in meaningful discussions, make friends, and have fun in a friendly and inclusive community.\n\nBy participating in the chat, you agree to follow these rules.\nSevere rule violations may lead to a ban from the Bisq network.", + "chat.messagebox.noChats.placeholder.description" to "Join the discussion on {0} to share your thoughts and ask questions.", + "chat.channelDomain.BISQ_EASY_OPEN_TRADES" to "Bisq Easy trade", + "chat.message.deliveryState.MAILBOX_MSG_RECEIVED" to "Peer has downloaded mailbox message.", + "chat.message.takeOffer.buyer.makersReputationScoreTooLow.warning" to "The seller''s reputation score of {0} is below the required score of {1} for a trade amount of {2}.\n\nBisq Easy''s security model relies on the seller''s reputation as the buyer need to send the fiat currency first. If you choose to proceed with taking the offer despite the lack of reputation, ensure you fully understand the risks involved.\n\nTo learn more about the reputation system, visit: [HYPERLINK:https://bisq.wiki/Reputation].\n\nDo you want to continue and take that offer?", + "chat.message.input.send" to "Send message", + "chat.message.send.offerOnly.warn" to "You have the 'Only offers' option selected. Normal text messages will not be displayed in that mode.\n\nDo you want to change the mode to see all activity?", + "chat.notificationsSettingsMenu.title" to "Notification options:", + "chat.notificationsSettingsMenu.globalDefault" to "Use default", + "chat.privateChannel.message.leave" to "{0} left that chat", + "chat.channelDomain.BISQ_EASY_PRIVATE_CHAT" to "Bisq Easy", + "events.tradeEvents.description" to "Channel for announcements for trade events", + "chat.notificationsSettingsMenu.off" to "Off", + "chat.private.leaveChat.confirmation" to "Are you sure you want to leave this chat?\nYou will lose access to the chat and all the chat information.", + "chat.reportToModerator.message.prompt" to "Enter message to moderator", + "chat.message.resendMessage" to "Click to resend the message.", + "chat.reportToModerator.headline" to "Report to moderator", + "chat.privateChannel.changeUserProfile.warn" to "You are in a private chat channel which was created with user profile ''{0}''.\n\nYou cannot change the user profile while being in that chat channel.", + "chat.message.contextMenu.ignoreUser" to "Ignore user", + "chat.message.contextMenu.reportUser" to "Report user to moderator", + "chat.leave.info" to "You are about to leave this chat.", + "chat.messagebox.noChats.placeholder.title" to "Start the conversation!", + "support.questions.description" to "Channel for transaction assistance", + "chat.message.deliveryState.CONNECTING" to "Connecting to peer.", + "chat.message.takeOffer.buyer.makersReputationScoreTooLow.yes" to "Yes, I understand the risk and want to continue", + "discussion.markets.title" to "Markets", + "chat.notificationsSettingsMenu.tooltip" to "Notification options", + "chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.warning" to "The seller''s reputation score is {0}, which is below the required score of {1} for a trade amount of {2}.\n\nSince the trade amount is relatively low, the reputation requirements have been relaxed. However, if you choose to proceed despite the seller''s insufficient reputation, make sure you fully understand the associated risks. Bisq Easy''s security model depends on the seller''s reputation, as the buyer is required to send fiat currency first.\n\nTo learn more about the reputation system, visit: [HYPERLINK:https://bisq.wiki/Reputation].\n\nDo you still want to take the offer?", + "chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.yes" to "Yes, I understand the risk and want to continue", + "chat.message.supportedLanguages" to "Supported languages:", + "chat.topMenu.chatRules.tooltip" to "Open chat rules", + "support.reports.description" to "Channel for incident and fraud report", + "events.podcasts.title" to "Podcasts", + "chat.channelDomain.DISCUSSION" to "Discussions", + "chat.message.delete.differentUserProfile.warn" to "This chat message was created with another user profile.\n\nDo you want to delete the message?", + "chat.message.moreOptions" to "More options", + "chat.private.messagebox.noChats.title" to "{0} private chats", + "chat.reportToModerator.report" to "Report to moderator", + "chat.message.deliveryState.ACK_RECEIVED" to "Message receipt acknowledged.", + "events.tradeEvents.title" to "Trade", + "discussion.bisq.title" to "Discussions", + "chat.private.messagebox.noChats.placeholder.title" to "You don't have any ongoing conversations", + "chat.listView.scrollDown.newMessages" to "Scroll down to read new messages", + "chat.message.takeOffer.seller.myReputationScoreTooLow.warning" to "Your reputation score is {0} and below the required reputation score of {1} for the trade amount of {2}.\n\nThe security model of Bisq Easy is based on the seller''s reputation.\nTo learn more about the reputation system, visit: [HYPERLINK:https://bisq.wiki/Reputation].\n\nYou can read more about how to build up your reputation at ''Reputation/Build Reputation''.", + "chat.private.messagebox.noChats.placeholder.description" to "To chat with a peer privately, hover over their message in a\npublic chat and click 'Send private message'.", + "chat.message.takeOffer.seller.myReputationScoreTooLow.headline" to "Your reputation score is too low for taking that offer", + "chat.sideBar.channelInfo.participants" to "Participants", + "events.podcasts.description" to "Channel for announcements for podcasts", + "chat.message.deliveryState.SENT" to "Message sent (receipt not confirmed yet).", + "chat.message.offer.offerAlreadyTaken.warn" to "You have already taken that offer.", + "chat.message.supportedLanguages.Tooltip" to "Supported languages", + "chat.ellipsisMenu.channelInfo" to "Channel info", + "discussion.markets.description" to "Channel for discussions about markets and price", + "chat.topMenu.tradeGuide.tooltip" to "Open trade guide", + "chat.sideBar.channelInfo.notifications.mention" to "If mentioned", + "chat.message.send.differentUserProfile.warn" to "You have used another user profile in that channel.\n\nAre you sure you want to send that message with the currently selected user profile?", + "events.meetups.title" to "Meetups", + "chat.message.citation.headline" to "Replying to:", + "chat.notifications.offerTaken.title" to "Your offer was taken by {0}", + "chat.message.takeOffer.buyer.makersReputationScoreTooLow.headline" to "Security warning", + "chat.ignoreUser.confirm" to "Ignore user", + "chat.chatRules.headline" to "Chat rules", + "discussion.offTopic.description" to "Channel for off-topic talk", + "chat.leave.confirmLeaveChat" to "Leave chat", + "chat.sideBar.channelInfo.notifications.globalDefault" to "Use default", + "support.reports.title" to "Report", + "chat.message.reply" to "Reply", + "support.questions.title" to "Assistance", + "chat.sideBar.channelInfo.notification.options" to "Notification options", + "chat.reportToModerator.message" to "Message to moderator", + "chat.leave" to "Click here to leave", + "chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.headline" to "Please review the risks when taking that offer", + "events.conferences.description" to "Channel for announcements for conferences", + "discussion.offTopic.title" to "Off-topic", + "chat.ellipsisMenu.chatRules" to "Chat rules", + "chat.notificationsSettingsMenu.mention" to "If mentioned", + "events.conferences.title" to "Conferences", + "chat.ellipsisMenu.tooltip" to "More options", + "chat.private.openChatsList.headline" to "Chat peers", + "chat.notifications.privateMessage.headline" to "Private message", + "chat.channelDomain.EVENTS" to "Events", + "chat.message.deliveryState.TRY_ADD_TO_MAILBOX" to "Trying to add message to peer's mailbox.", + "chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.no" to "No, I look for another offer", + "chat.private.title" to "Private chats", + ), + "support" to mapOf( + "support.resources.guides.headline" to "Guides", + "support.resources.resources.community" to "Bisq community at Matrix", + "support.resources.backup.headline" to "Backup", + "support.resources.backup.setLocationButton" to "Set backup location", + "support.resources.resources.contribute" to "How to contribute to Bisq", + "support.resources.backup.location.prompt" to "Set backup location", + "support.resources.legal.license" to "Software license (AGPLv3)", + "support.resources" to "Resources", + "support.resources.backup.backupButton" to "Backup Bisq data directory", + "support.resources.backup.destinationNotExist" to "Backup destination ''{0}'' does not exist", + "support.resources.backup.selectLocation" to "Select backup location", + "support.resources.backup.location.invalid" to "Backup location path is invalid", + "support.resources.legal.headline" to "Legal", + "support.resources.resources.webpage" to "Bisq webpage", + "support.resources.guides.chatRules" to "Open chat rules", + "support.resources.backup.location" to "Backup location", + "support.resources.localData.openTorLogFile" to "Open Tor 'debug.log' file", + "support.resources.legal.tac" to "Open user agreement", + "support.resources.localData.headline" to "Local data", + "support.resources.backup.success" to "Backup successfully saved at:\n{0}", + "support.resources.backup.location.help" to "Backup is not encrypted", + "support.resources.localData.openDataDir" to "Open Bisq data directory", + "support.resources.resources.dao" to "About the Bisq DAO", + "support.resources.resources.sourceCode" to "GitHub source code repository", + "support.resources.resources.headline" to "Web resources", + "support.resources.localData.openLogFile" to "Open 'bisq.log' file", + "support.resources.guides.tradeGuide" to "Open trade guide", + "support.resources.guides.walletGuide" to "Open wallet guide", + "support.assistance" to "Assistance", + ), + "user" to mapOf( + "user.bondedRoles.userProfile.select.invalid" to "Please pick a user profile from the list", + "user.profileCard.userNickname.banned" to "[Banned] {0}", + "user.paymentAccounts.deleteAccount" to "Delete payment account", + "user.userProfile.terms.tooLong" to "Trade terms must not be longer than {0} characters", + "user.userProfile.statement.tooLong" to "Statement must not be longer than {0} characters", + "user.paymentAccounts.createAccount.subtitle" to "The payment account is stored only locally on your computer and only sent to your trade peer if you decide to do so.", + "user.profileCard.userActions.report" to "Report to moderator", + "user.password.confirmPassword" to "Confirm password", + "user.userProfile.popup.noSelectedProfile" to "Please pick a user profile from the list", + "user.userProfile.statement.prompt" to "Enter optional statement", + "user.profileCard.offers.table.columns.offer" to "Offer", + "user.profileCard.offers.table.columns.offerAge.tooltip" to "Creation date:\n{0}", + "user.userProfile.save.popup.noChangesToBeSaved" to "There are no new changes to be saved", + "user.profileCard.details.transportAddress" to "Transport address", + "user.profileCard.tab.offers" to "Offers ({0})", + "user.userProfile.livenessState" to "Last user activity: {0} ago", + "user.userProfile.statement" to "Statement", + "user.profileCard.reputation.totalReputationScore" to "Total Reputation Score", + "user.profileCard.userActions.ignore" to "Ignore", + "user.userProfile.terms" to "Trade terms", + "user.paymentAccounts.createAccount.sameName" to "This account name is already used. Please use a different name.", + "user.userProfile" to "User profile", + "user.password" to "Password", + "user.paymentAccounts" to "Payment accounts", + "user.paymentAccounts.createAccount.accountData.prompt" to "Enter the payment account info (e.g. bank account data) you want to share with a potential Bitcoin buyer so that they can transfer you the national currency amount.", + "user.paymentAccounts.headline" to "Your payment accounts", + "user.profileCard.offers.table.columns.paymentMethods" to "Payment methods", + "user.userProfile.addressByTransport.I2P" to "I2P address: {0}", + "user.userProfile.livenessState.description" to "Last user activity", + "user.paymentAccounts.selectAccount" to "Select payment account", + "user.bondedRoles.userProfile.select" to "Select user profile", + "user.paymentAccounts.noAccounts.info" to "You haven't set up any accounts yet.", + "user.profileCard.offers.table.columns.goToOffer.button" to "Go to offer", + "user.paymentAccounts.noAccounts.whySetup.note" to "Background information:\nYour account data is exclusively stored locally on your computer and is shared with your trade partner only when you decide to share it.", + "user.userProfile.deleteProfile.popup.warning.yes" to "Yes, delete profile", + "user.userProfile.tooltip" to "Nickname: {0}\nBot ID: {1}\nProfile ID: {2}\n{3}", + "user.password.removePassword.failed" to "Invalid password.", + "user.userProfile.livenessState.tooltip" to "The time passed since the user profile has been republished to the network triggered by user activity like mouse movements.", + "user.profileCard.offers.table.columns.price" to "Price", + "user.userProfile.profileId" to "Profile ID", + "user.paymentAccounts.noAccounts.headline" to "Your payment accounts", + "user.profileCard.offers.table.placeholderText" to "No offers", + "user.userProfile.nymId.tooltip" to "The 'Bot ID' is generated from the hash of the public key of that\nuser profiles identity.\nIt is appended to the nickname in case there are multiple user profiles in\nthe network with the same nickname to distinct clearly between those profiles.", + "user.userProfile.new.statement.prompt" to "Optional add statement", + "user.userProfile.profileId.tooltip" to "The 'Profile ID' is the hash of the public key of that user profiles identity\nencoded as hexadecimal string.", + "user.password.savePassword.success" to "Password protection enabled.", + "user.paymentAccounts.noAccounts.whySetup" to "Why is setting up an account useful?", + "user.password.enterPassword" to "Enter password (min. 8 characters)", + "user.userProfile.comboBox.description" to "User profile", + "user.paymentAccounts.accountData" to "Payment account info", + "user.paymentAccounts.createAccount" to "Create new payment account", + "user.paymentAccounts.noAccounts.whySetup.info" to "When you're selling Bitcoin, you need to provide your payment account details to the buyer for receiving the fiat payment. Setting up accounts in advance allows for quick and convenient access to this information during the trade.", + "user.profileCard.overview.tradeTerms" to "Trade terms", + "user.userProfile.deleteProfile" to "Delete profile", + "user.userProfile.reputation" to "Reputation", + "user.userProfile.learnMore" to "Why create a new profile?", + "user.userProfile.deleteProfile.popup.warning" to "Do you really want to delete {0}? You cannot un-do this operation.", + "user.userProfile.nymId" to "Bot ID", + "user.profileCard.tab.details" to "Details", + "user.profileCard.userActions.sendPrivateMessage" to "Send private message", + "user.profileCard.offers.table.columns.offerAge" to "Age", + "user.profileCard.details.lastUserActivity" to "Last user activity", + "user.userProfile.new.statement" to "Statement", + "user.userProfile.terms.prompt" to "Enter optional trade terms", + "user.password.headline.removePassword" to "Remove password protection", + "user.profileCard.details.totalReputationScore" to "Total reputation score", + "user.profileCard.tab.overview" to "Overview", + "user.userProfile.userName.banned" to "[Banned] {0}", + "user.profileCard.details.profileAge" to "Profile age", + "user.paymentAccounts.createAccount.accountName" to "Payment account name", + "user.userProfile.new.terms" to "Your trade terms", + "user.profileCard.userActions.undoIgnore" to "Undo ignore", + "user.profileCard.tab.reputation" to "Reputation", + "user.userProfile.profileAge.tooltip" to "The 'Profile age' is the age in days of that user profile.", + "user.profileCard.overview.statement" to "Statement", + "user.userProfile.version" to "Version: {0}", + "user.profileCard.offers.table.columns.amount" to "Amount", + "user.userProfile.profileAge" to "Profile age", + "user.userProfile.new.step2.subTitle" to "You can optionally add a personalized statement to your profile and set your trade terms.", + "user.paymentAccounts.createAccount.accountName.prompt" to "Set a unique name for your payment account", + "user.profileCard.details.userId" to "User ID", + "user.profileCard.offers.table.columns.market" to "Market", + "user.userProfile.addressByTransport.CLEAR" to "Clear net address: {0}", + "user.profileCard.details.version" to "Software version", + "user.password.headline.setPassword" to "Set password protection", + "user.password.button.removePassword" to "Remove password", + "user.userProfile.tooltip.banned" to "This profile is banned!", + "user.userProfile.addressByTransport.TOR" to "Tor address: {0}", + "user.userProfile.new.step2.headline" to "Complete your profile", + "user.profileCard.reputation.ranking" to "Ranking", + "user.password.removePassword.success" to "Password protection removed.", + "user.userProfile.createNewProfile" to "Create new profile", + "user.userProfile.livenessState.ageDisplay" to "{0} ago", + "user.userProfile.new.terms.prompt" to "Optional set trade terms", + "user.userProfile.deleteProfile.cannotDelete" to "Deleting user profile is not permitted\n\nTo delete this profile, first:\n- Delete all messages posted with this profile\n- Close all private channels for this profile\n- Make sure to have at least one more profile", + "user.paymentAccounts.createAccount.headline" to "Add new payment account", + "user.profileCard.details.botId" to "Bot ID", + "user.password.button.savePassword" to "Save password", + ), + "network" to mapOf( + "network.version.localVersion.headline" to "Local version info", + "network.nodes.header.numConnections" to "Number of Connections", + "network.transport.traffic.sent.details" to "Data sent: {0}\nTime for message sending: {1}\nNumber of messages: {2}\nNumber of messages by class name:{3}\nNumber of distributed data by class name:{4}", + "network.nodes.type.active" to "User node (active)", + "network.connections.outbound" to "Outbound", + "network.transport.systemLoad.details" to "Size of persisted network data: {0}\nCurrent network load: {1}\nAverage network load: {2}", + "network.transport.headline.CLEAR" to "Clear net", + "network.nodeInfo.myAddress" to "My default address", + "network.version.versionDistribution.version" to "Version {0}", + "network.transport.headline.I2P" to "I2P", + "network.version.versionDistribution.tooltipLine" to "{0} user profiles with version ''{1}''", + "network.transport.pow.details" to "Total time spent: {0}\nAverage time per message: {1}\nNumber of messages: {2}", + "network.nodes.header.type" to "Type", + "network.transport.pow.headline" to "Proof of work", + "network.header.nodeTag" to "Identity tag", + "network.nodes.title" to "My nodes", + "network.connections.ioData" to "{0} / {1} Messages", + "network.connections.title" to "Connections", + "network.connections.header.peer" to "Peer", + "network.nodes.header.keyId" to "Key ID", + "network.version.localVersion.details" to "Bisq version: v{0}\nCommit hash: {1}\nTor version: v{2}", + "network.nodes.header.address" to "Server address", + "network.connections.seed" to "Seed node", + "network.p2pNetwork" to "P2P network", + "network.transport.traffic.received.details" to "Data received: {0}\nTime for message deserialization: {1}\nNumber of messages: {2}\nNumber of messages by class name:{3}\nNumber of distributed data by class name:{4}", + "network.nodes" to "Infrastructure nodes", + "network.connections.inbound" to "Inbound", + "network.header.nodeTag.tooltip" to "Identity tag: {0}", + "network.version.versionDistribution.oldVersions" to "2.0.4 (or below)", + "network.nodes.type.retired" to "User node (retired)", + "network.transport.traffic.sent.headline" to "Outbound traffic of last hour", + "network.roles" to "Bonded roles", + "network.connections.header.sentHeader" to "Sent", + "network.connections.header.receivedHeader" to "Received", + "network.nodes.type.default" to "Gossip node", + "network.version.headline" to "Version distribution", + "network.myNetworkNode" to "My network node", + "network.transport.headline.TOR" to "Tor", + "network.connections.header.connectionDirection" to "In/Out", + "network.transport.traffic.received.headline" to "Inbound traffic of last hour", + "network.transport.systemLoad.headline" to "System load", + "network.connections.header.rtt" to "RTT", + "network.connections.header.address" to "Address", + ), + "settings" to mapOf( + "settings.language.supported.select" to "Select language", + "settings.network.difficultyAdjustmentFactor.ignoreValueFromSecManager" to "Ignore value provided by Bisq Security Manager", + "settings.notification.option.off" to "Off", + "settings.network.difficultyAdjustmentFactor.description.self" to "Custom PoW difficulty adjustment factor", + "settings.backup.totalMaxBackupSizeInMB.info.tooltip" to "Important data is automatically backed up in the data directory whenever updates are made,\nfollowing this retention strategy:\n - Last Hour: Keep a maximum of one backup per minute.\n - Last Day: Keep one backup per hour.\n - Last Week: Keep one backup per day.\n - Last Month: Keep one backup per week.\n - Last Year: Keep one backup per month.\n - Previous Years: Keep one backup per year.\n\nPlease note, this backup mechanism does not protect against hard disk failures.\nFor better protection, we strongly recommend creating manual backups on an alternative hard drive.", + "settings.notification.option.all" to "All chat messages", + "settings.display" to "Display", + "settings.trade" to "Offer and trade", + "settings.trade.maxTradePriceDeviation" to "Max. trade price tolerance", + "settings.backup.totalMaxBackupSizeInMB.description" to "Max. size in MB for automatic backups", + "settings.language.supported.headline" to "Add your supported languages", + "settings.misc" to "Miscellaneous", + "settings.trade.headline" to "Offer and trade settings", + "settings.trade.maxTradePriceDeviation.invalid" to "Must be a value between 1 and {0}%", + "settings.backup.totalMaxBackupSizeInMB.invalid" to "Must be a value between {0} MB and {1} MB", + "settings.language.supported.addButton.tooltip" to "Add selected language to list", + "settings.language.supported.subHeadLine" to "Languages you are fluent in", + "settings.display.useAnimations" to "Use animations", + "settings.notification.notifyForPreRelease" to "Notify about pre-release software updates", + "settings.language.select.invalid" to "Please pick a language from the list", + "settings.notification.options" to "Notification options", + "settings.notification.useTransientNotifications" to "Use transient notifications", + "settings.language.headline" to "Language selection", + "settings.language.supported.invalid" to "Please pick a language form the list", + "settings.language.restart" to "To apply the new language you need to restart the application", + "settings.backup.headline" to "Backup settings", + "settings.notification.option.mention" to "If mentioned", + "settings.notification.clearNotifications" to "Clear notifications", + "settings.display.preventStandbyMode" to "Prevent standby mode", + "settings.notifications" to "Notifications", + "settings.network.headline" to "Network settings", + "settings.language.supported.list.subHeadLine" to "Fluent in:", + "settings.trade.closeMyOfferWhenTaken" to "Close my offer when taken", + "settings.display.resetDontShowAgain" to "Reset all 'Don't show again' flags", + "settings.language.select" to "Select language", + "settings.network.difficultyAdjustmentFactor.description.fromSecManager" to "PoW difficulty adjustment factor by Bisq Security Manager", + "settings.language" to "Language", + "settings.display.headline" to "Display settings", + "settings.network.difficultyAdjustmentFactor.invalid" to "Must be a number between 0 and {0}", + "settings.trade.maxTradePriceDeviation.help" to "The max. trade price difference a maker tolerates when their offer gets taken.", + ), + "payment_method" to mapOf( + "F2F_SHORT" to "F2F", + "LN" to "BTC over Lightning Network", + "WISE_USD" to "Wise-USD", + "DOMESTIC_WIRE_TRANSFER_SHORT" to "Wire", + "MAIN_CHAIN_SHORT" to "Onchain", + "IMPS" to "India/IMPS", + "PAYTM" to "India/PayTM", + "RTGS" to "India/RTGS", + "MONESE" to "Monese", + "CIPS_SHORT" to "CIPS", + "MONEY_GRAM" to "MoneyGram", + "WISE" to "Wise", + "TIKKIE" to "Tikkie", + "UPI" to "India/UPI", + "BIZUM" to "Bizum", + "INTERAC_E_TRANSFER" to "Interac e-Transfer", + "LN_SHORT" to "Lightning", + "ALI_PAY" to "AliPay", + "NATIONAL_BANK" to "National bank transfer", + "US_POSTAL_MONEY_ORDER" to "US Postal Money Order", + "JAPAN_BANK" to "Japan Bank Furikomi", + "NATIVE_CHAIN" to "Native chain", + "FASTER_PAYMENTS" to "Faster Payments", + "ADVANCED_CASH" to "Advanced Cash", + "F2F" to "Face to face (in person)", + "SWIFT_SHORT" to "SWIFT", + "WECHAT_PAY" to "WeChat Pay", + "RBTC_SHORT" to "RSK", + "ACH_TRANSFER" to "ACH Transfer", + "CHASE_QUICK_PAY" to "Chase QuickPay", + "INTERNATIONAL_BANK_SHORT" to "International banks", + "HAL_CASH" to "HalCash", + "WESTERN_UNION" to "Western Union", + "ZELLE" to "Zelle", + "JAPAN_BANK_SHORT" to "Japan Furikomi", + "RBTC" to "RBTC (Pegged BTC on RSK side chain)", + "SWISH" to "Swish", + "SAME_BANK" to "Transfer with same bank", + "ACH_TRANSFER_SHORT" to "ACH", + "AMAZON_GIFT_CARD" to "Amazon eGift Card", + "PROMPT_PAY" to "PromptPay", + "LBTC" to "L-BTC (Pegged BTC on Liquid side chain)", + "US_POSTAL_MONEY_ORDER_SHORT" to "US Money Order", + "VERSE" to "Verse", + "SWIFT" to "SWIFT International Wire Transfer", + "SPECIFIC_BANKS_SHORT" to "Specific banks", + "WESTERN_UNION_SHORT" to "Western Union", + "DOMESTIC_WIRE_TRANSFER" to "Domestic Wire Transfer", + "INTERNATIONAL_BANK" to "International bank transfer", + "UPHOLD" to "Uphold", + "CAPITUAL" to "Capitual", + "CASH_DEPOSIT" to "Cash Deposit", + "WBTC" to "WBTC (wrapped BTC as ERC20 token)", + "MONEY_GRAM_SHORT" to "MoneyGram", + "CASH_BY_MAIL" to "Cash By Mail", + "SAME_BANK_SHORT" to "Same bank", + "SPECIFIC_BANKS" to "Transfers with specific banks", + "PAXUM" to "Paxum", + "NATIVE_CHAIN_SHORT" to "Native chain", + "WBTC_SHORT" to "WBTC", + "PERFECT_MONEY" to "Perfect Money", + "CELPAY" to "CelPay", + "STRIKE" to "Strike", + "MAIN_CHAIN" to "Bitcoin (onchain)", + "SEPA_INSTANT" to "SEPA Instant", + "CASH_APP" to "Cash App", + "POPMONEY" to "Popmoney", + "REVOLUT" to "Revolut", + "NEFT" to "India/NEFT", + "SATISPAY" to "Satispay", + "PAYSERA" to "Paysera", + "LBTC_SHORT" to "Liquid", + "SEPA" to "SEPA", + "NEQUI" to "Nequi", + "NATIONAL_BANK_SHORT" to "National banks", + "CASH_BY_MAIL_SHORT" to "Cash By Mail", + "OTHER" to "Other", + "PAY_ID" to "PayID", + "CIPS" to "Cross-Border Interbank Payment System", + "MONEY_BEAM" to "MoneyBeam (N26)", + "PIX" to "Pix", + "CASH_DEPOSIT_SHORT" to "Cash Deposit", + ), + "offer" to mapOf( + "offer.priceSpecFormatter.fixPrice" to "Offer with fixed price\n{0}", + "offer.priceSpecFormatter.floatPrice.below" to "{0} below market price\n{1}", + "offer.priceSpecFormatter.floatPrice.above" to "{0} above market price\n{1}", + "offer.priceSpecFormatter.marketPrice" to "At market price\n{0}", + ), + "mobile" to mapOf( + "bootstrap.connectedToTrustedNode" to "Connected to trusted node", + ), + ) +} diff --git a/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/GeneratedResourceBundles_es.kt b/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/GeneratedResourceBundles_es.kt new file mode 100644 index 00000000..272823a8 --- /dev/null +++ b/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/GeneratedResourceBundles_es.kt @@ -0,0 +1,1368 @@ +package network.bisq.mobile.i18n + +// Auto-generated file. Do not modify manually. +object GeneratedResourceBundles_es { + val bundles = mapOf( + "default" to mapOf( + "action.exportAsCsv" to "Exportar como CSV", + "action.learnMore" to "Más información", + "action.save" to "Guardar", + "component.marketPrice.provider.BISQAGGREGATE" to "Agregador de precios de Bisq", + "offer.maker" to "Ofertante", + "offer.buyer" to "Comprador", + "component.marketPrice.requesting" to "Solicitando precio de mercado", + "component.standardTable.numEntries" to "Número de entradas: {0}", + "offer.createOffer" to "Crear oferta", + "action.close" to "Cerrar", + "validation.tooLong" to "El texto no debe ser más largo de {0} caracteres", + "component.standardTable.filter.tooltip" to "Filtrar por {0}", + "temporal.age" to "Edad", + "data.noDataAvailable" to "No hay datos disponibles", + "action.goTo" to "Ir a {0}", + "action.next" to "Siguiente", + "offer.buying" to "comprando", + "offer.price.above" to "por encima de", + "offer.buy" to "comprar", + "offer.taker" to "Tomador", + "validation.password.notMatching" to "Las 2 contraseñas no coinciden", + "action.delete" to "Eliminar", + "component.marketPrice.tooltip.isStale" to "\nADVERTENCIA: ¡El precio de mercado está desactualizado!", + "action.shutDown" to "Apagar", + "component.priceInput.description" to "{0} precio", + "component.marketPrice.source.PROPAGATED_IN_NETWORK" to "Propagado por el nodo oráculo: {0}", + "validation.password.tooShort" to "La contraseña que has introducido es demasiado corta. Debe contener al menos 8 caracteres.", + "validation.invalidLightningInvoice" to "La factura de Lightning no parece válida", + "action.back" to "Atrás", + "offer.selling" to "vendiendo", + "action.editable" to "Editable", + "offer.takeOffer.buy.button" to "Comprar Bitcoin", + "validation.invalidNumber" to "No es un número válido", + "action.search" to "Buscar", + "validation.invalid" to "Entrada no válida", + "component.marketPrice.source.REQUESTED_FROM_PRICE_NODE" to "Solicitado de: {0}", + "validation.invalidBitcoinAddress" to "La dirección de Bitcoin no parece válida", + "temporal.year.1" to "{0} año", + "confirmation.no" to "No", + "validation.invalidLightningPreimage" to "La preimagen de Lightning no parece válida", + "temporal.day.1" to "{0} día", + "component.standardTable.filter.showAll" to "Mostrar todo", + "temporal.year.*" to "{0} años", + "data.add" to "Añadir", + "offer.takeOffer.sell.button" to "Vender Bitcoin", + "component.marketPrice.source.PERSISTED" to "Pendiente de recibir precio de mercado. Usando datos persistidos en su lugar.", + "action.copyToClipboard" to "Copiar al portapapeles", + "confirmation.yes" to "Sí", + "offer.sell" to "vender", + "action.react" to "Reaccionar", + "temporal.day.*" to "{0} días", + "temporal.at" to "en", + "component.standardTable.csv.plainValue" to "{0} (valor simple)", + "offer.seller" to "Vendedor", + "temporal.date" to "Fecha", + "action.iUnderstand" to "Lo entiendo", + "component.priceInput.prompt" to "Introduce el precio", + "confirmation.ok" to "OK", + "action.dontShowAgain" to "No mostrar de nuevo", + "action.cancel" to "Cancelar", + "offer.amount" to "Cantidad", + "action.edit" to "Editar", + "offer.deleteOffer" to "Eliminar mi oferta", + "data.remove" to "Eliminar", + "data.false" to "Falso", + "offer.price.below" to "por debajo de", + "data.na" to "N/D", + "action.expandOrCollapse" to "Haga clic para cerrar o expandir", + "data.true" to "Verdadero", + "validation.invalidBitcoinTransactionId" to "El ID de la transacción de Bitcoin no parece válido", + "component.marketPrice.tooltip" to "{0}\nActualizado: hace {1}\nRecibido en: {2}{3}", + "validation.empty" to "No se permite texto vacío", + "validation.invalidPercentage" to "No es un porcentaje válido", + ), + "application" to mapOf( + "onboarding.createProfile.nickName" to "Apodo del perfil", + "notificationPanel.mediationCases.headline.single" to "Nuevo mensaje para el caso de mediación con el ID de intercambio ''{0}''", + "popup.reportBug" to "Reportar el error a los desarrolladores de Bisq", + "tac.reject" to "Rechazar y salir de la aplicación", + "dashboard.activeUsers.tooltip" to "Los perfiles permanecen activos en la red\nsi el usuario estuvo en línea en los últimos 15 días.", + "popup.hyperlink.openInBrowser.tooltip" to "Abrir enlace en el navegador: {0}.", + "navigation.reputation" to "Reputación", + "navigation.settings" to "Ajustes", + "updater.downloadLater" to "Descargar más tarde", + "splash.bootstrapState.SERVICE_PUBLISHED" to "{0} publicado", + "updater.downloadAndVerify.info.isLauncherUpdate" to "Una vez descargados todos los archivos, la clave de firma se compara con las claves proporcionadas en la aplicación y las disponibles en el sitio web de Bisq. Esta clave se utiliza para verificar el nuevo instalador de Bisq descargado. Después de la descarga y verificación, navega al directorio de descargas para instalar la nueva versión de Bisq.", + "dashboard.offersOnline" to "Ofertas activas", + "onboarding.password.button.savePassword" to "Guardar contraseña", + "popup.headline.instruction" to "Por favor, ten en cuenta:", + "updater.shutDown.isLauncherUpdate" to "Abrir el directorio de descargas y apagar", + "updater.ignore" to "Ignorar esta versión", + "navigation.dashboard" to "Tablero", + "onboarding.createProfile.subTitle" to "Tu perfil público consta de un apodo (elegido por ti) y un icono de bot (generado criptográficamente)", + "onboarding.createProfile.headline" to "Crea tu perfil", + "popup.headline.warning" to "Advertencia", + "popup.reportBug.report" to "Versión de Bisq: {0}\nSistema operativo: {1}\nMensaje de error:\n{2}", + "splash.bootstrapState.network.I2P" to "I2P", + "unlock.failed" to "No se pudo desbloquear con la contraseña proporcionada.\n\nInténtalo de nuevo y asegúrate de tener desactivado el bloqueo de mayúsculas.", + "popup.shutdown" to "Apagando.\n\nEl cierre puede tardar hasta {0}.", + "splash.bootstrapState.service.TOR" to "Servicio Onion", + "navigation.expandIcon.tooltip" to "Expandir menú", + "updater.downloadAndVerify.info" to "Una vez descargados todos los archivos, la clave de firma se compara con las claves proporcionadas en la aplicación y las disponibles en el sitio web de Bisq. Esta clave se utiliza luego para verificar la nueva versión descargada ('desktop.jar').", + "popup.headline.attention" to "Atención", + "onboarding.password.headline.setPassword" to "Configurar protección con contraseña", + "unlock.button" to "Desbloquear", + "splash.bootstrapState.START_PUBLISH_SERVICE" to "Comenzar publicación de {0}", + "onboarding.bisq2.headline" to "Bienvenido a Bisq 2", + "dashboard.marketPrice" to "Último precio de mercado", + "popup.hyperlink.copy.tooltip" to "Copiar enlace: {0}.", + "navigation.bisqEasy" to "Bisq Easy", + "navigation.network.info.i2p" to "I2P", + "dashboard.third.button" to "Construye tu reputación", + "popup.headline.error" to "Error", + "video.mp4NotSupported.warning" to "Puedes ver el video en tu navegador en: [HYPERLINK:{0}]", + "updater.downloadAndVerify.headline" to "Descargar y verificar nueva versión", + "tac.headline" to "Acuerdo de usuario", + "splash.applicationServiceState.INITIALIZE_SERVICES" to "Inicializando servicios", + "onboarding.password.enterPassword" to "Introduce la contraseña (mín. 8 caracteres)", + "splash.details.tooltip" to "Haz clic para mostrar detalles", + "navigation.network" to "Red", + "dashboard.main.content3" to "La seguridad se basa en la reputación del vendedor", + "dashboard.main.content2" to "Interfaz de usuario basada en chat y guiada para la compra-venta", + "splash.applicationServiceState.INITIALIZE_WALLET" to "Inicializando monedero", + "onboarding.password.subTitle" to "Configura ahora la protección con contraseña, o hazlo más tarde en 'Opciones de usuario/Contraseña'.", + "dashboard.main.content1" to "Comienza a operar o consulta ofertas abiertas en el libro de ofertas", + "navigation.vertical.collapseIcon.tooltip" to "Cerrar submenú", + "splash.bootstrapState.network.TOR" to "Tor", + "splash.bootstrapState.service.CLEAR" to "Servidor", + "splash.bootstrapState.CONNECTED_TO_PEERS" to "Conectando con pares", + "splash.bootstrapState.service.I2P" to "Servicio I2P", + "popup.reportError.zipLogs" to "Comprimir archivos de registro", + "updater.furtherInfo.isLauncherUpdate" to "Esta actualización requiere una nueva instalación de Bisq.\nSi tienes problemas al instalar Bisq en macOS, por favor lee las instrucciones en:", + "navigation.support" to "Soporte", + "updater.table.progress.completed" to "Completado", + "updater.headline" to "Hay una nueva actualización de Bisq disponible", + "notificationPanel.trades.button" to "Ir a 'Intercambios abiertos'", + "popup.headline.feedback" to "Completado", + "tac.confirm" to "He leído y entendido", + "navigation.collapseIcon.tooltip" to "Minimizar menú", + "updater.shutDown" to "Apagar", + "popup.headline.backgroundInfo" to "Contexto", + "splash.applicationServiceState.FAILED" to "Fallo en el arranque", + "navigation.userOptions" to "Opciones de usuario", + "updater.releaseNotesHeadline" to "Notas de la versión {0}:", + "splash.bootstrapState.BOOTSTRAP_TO_NETWORK" to "Arrancar con red {0}", + "navigation.vertical.expandIcon.tooltip" to "Expandir submenú", + "topPanel.wallet.balance" to "Saldo", + "navigation.network.info.tooltip" to "Red {0} \nNúmero de conexiones: {1}\nCantidad objetivo; {2}", + "video.mp4NotSupported.warning.headline" to "El vídeo incrustado no se puede reproducir", + "navigation.wallet" to "Cartera", + "onboarding.createProfile.regenerate" to "Generar nuevo icono de bot", + "splash.applicationServiceState.INITIALIZE_NETWORK" to "Inicializando red P2P", + "updater.table.progress" to "Progreso de la descarga", + "navigation.network.info.inventoryRequests.tooltip" to "Estado de la solicitud de datos de red:\nNúmero de peticiones pendientes: {0}\nMáx. de peticiones: {1}\nTodos los datos recibidos: {2}", + "onboarding.createProfile.createProfile.busy" to "Inicializando nodo de red...", + "dashboard.second.button" to "Explorar protocolos de intercambio", + "dashboard.activeUsers" to "Usuarios activos", + "hyperlinks.openInBrowser.attention.headline" to "Abrir enlace a la web", + "dashboard.main.headline" to "Obtén tu primer BTC", + "popup.headline.invalid" to "Entrada inválida", + "popup.reportError.gitHub" to "Reportar al repositorio de Bisq en GitHub", + "navigation.network.info.inventoryRequest.requesting" to "Solicitando datos de red", + "popup.headline.information" to "Información", + "navigation.network.info.clearNet" to "Clear-net", + "dashboard.third.headline" to "Construye tu reputación", + "tac.accept" to "Aceptar acuerdo de usuario", + "updater.furtherInfo" to "Esta actualización se cargará después de reiniciar y no requiere una nueva instalación.\nPuedes encontrar más detalles en la página de lanzamiento en:", + "onboarding.createProfile.nym" to "ID de Bot:", + "popup.shutdown.error" to "Ocurrió un error en el cierre: {0}.", + "navigation.authorizedRole" to "Rol autorizado", + "onboarding.password.confirmPassword" to "Confirmar contraseña", + "hyperlinks.openInBrowser.attention" to "¿Quieres abrir el enlace a `{0}` en tu navegador web por defecto?", + "onboarding.password.button.skip" to "Omitir", + "popup.reportError.log" to "Abrir archivo de registro", + "dashboard.main.button" to "Accede a Bisq Easy", + "updater.download" to "Descargar y verificar", + "dashboard.third.content" to "¿Quieres vender Bitcoin en Bisq Easy? Aprende cómo funciona el sistema de reputación y por qué es importante.", + "hyperlinks.openInBrowser.no" to "No, copiar enlace", + "splash.applicationServiceState.APP_INITIALIZED" to "Bisq iniciado", + "navigation.academy" to "Aprender", + "navigation.network.info.inventoryRequest.completed" to "Datos de red recibidos", + "onboarding.createProfile.nickName.prompt" to "Elige tu apodo", + "popup.startup.error" to "Se ha producido error iniciando Bisq: {0}.", + "version.versionAndCommitHash" to "Versión: v{0} / Hash del commit: {1}", + "onboarding.bisq2.teaserHeadline1" to "Presentando Bisq Easy", + "onboarding.bisq2.teaserHeadline3" to "Próximamente", + "onboarding.bisq2.teaserHeadline2" to "Aprende y descubre", + "dashboard.second.headline" to "Múltiples protocolos de intercambio", + "splash.applicationServiceState.INITIALIZE_APP" to "Iniciando Bisq", + "unlock.headline" to "Introduce la contraseña para desbloquear", + "onboarding.password.savePassword.success" to "Protección con contraseña habilitada.", + "notificationPanel.mediationCases.button" to "Ir a 'Mediador'", + "onboarding.bisq2.line2" to "Introdúcete paso a paso a Bitcoin\na través de nuestras guías y el chat de la comunidad.", + "onboarding.bisq2.line3" to "Elige cómo comerciar: Bisq MuSig, Lightning, Submarine Swaps,...", + "splash.bootstrapState.network.CLEAR" to "Clear-net", + "updater.headline.isLauncherUpdate" to "Hay un nuevo instalador de Bisq disponible", + "notificationPanel.mediationCases.headline.multiple" to "Nuevos mensajes para la mediación", + "onboarding.bisq2.line1" to "Obtener tu primer Bitcoin de forma privada\nnunca ha sido tan fácil.", + "notificationPanel.trades.headline.single" to "Nuevo mensaje de intercambio para el intercambio ''{0}''", + "popup.headline.confirmation" to "Confirmación", + "onboarding.createProfile.createProfile" to "Siguiente", + "onboarding.createProfile.nym.generating" to "Calculando prueba de trabajo...", + "hyperlinks.copiedToClipboard" to "El enlace se ha copiado en el portapapeles", + "updater.table.verified" to "Firma verificada", + "navigation.tradeApps" to "Protocolos", + "navigation.chat" to "Chat", + "dashboard.second.content" to "Consulta la hoja de ruta para los próximos protocolos de intercambio. Obtén una visión general de las características de los diferentes protocolos.", + "navigation.network.info.tor" to "Tor", + "updater.table.file" to "Archivo", + "onboarding.createProfile.nickName.tooLong" to "El apodo no puede tener más de {0} caracteres", + "popup.reportError" to "Para ayudarnos a mejorar el software, por favor, informa sobre este error abriendo un nuevo problema en https://github.com/bisq-network/bisq2/issues.\nEl mensaje de error anterior se copiará al portapapeles cuando hagas clic en cualquiera de los botones a continuación.\nIncluir el archivo bisq.log en tu informe de error facilitará la investigación. El archivo de registro no contienen datos sensibles.", + "notificationPanel.trades.headline.multiple" to "Nuevos mensajes de intercambio", + ), + "bisq_easy" to mapOf( + "bisqEasy.tradeState.info.seller.phase2b.tradeLogMessage" to "{0} ha confirmado la recepción de {1}", + "bisqEasy.tradeWizard.paymentMethods.warn.customPaymentMethodAlreadyExists" to "Ya existe un método de pago personalizado con el nombre {0}.", + "bisqEasy.takeOffer.amount.seller.limitInfo.lowToleratedAmount" to "Como el monto de la transacción es inferior a {0}, los requisitos de Reputación se han relajado.", + "bisqEasy.onboarding.watchVideo.tooltip" to "Ver video de introducción incrustado", + "bisqEasy.takeOffer.paymentMethods.headline.fiat" to "¿Qué método de pago quieres utilizar?", + "bisqEasy.walletGuide.receive" to "Recibiendo", + "bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMin.overlay.info" to "La Puntuación de Reputación del vendedor de {0} no proporciona suficiente seguridad para esa oferta.\n\nSe recomienda comerciar con montos más bajos en transacciones repetidas o con vendedores que tengan una reputación más alta. Si decides continuar a pesar de la falta de reputación del vendedor, asegúrate de estar completamente consciente de los riesgos asociados. El modelo de seguridad de Bisq Easy se basa en la reputación del vendedor, ya que se requiere que el comprador Envíe primero la moneda fiat.", + "bisqEasy.offerbook.marketListCell.favourites.maxReached.popup" to "Solo hay espacio para 5 favoritos. Elimina un favorito e inténtalo de nuevo.", + "bisqEasy.dashboard" to "Comenzando", + "bisqEasy.tradeWizard.amount.seller.limitInfo.noReputationNeededForMaxOrFixedAmount.overlay.info.scoreTooLow" to "Para montos de hasta {0}, los requisitos de reputación son más flexibles.\n\nTu Puntuación de Reputación de {1} no ofrece suficiente seguridad para los compradores. Sin embargo, dado el bajo monto involucrado, los compradores podrían considerar aceptar la oferta una vez que sean informados de los riesgos asociados.\n\nPuedes encontrar información sobre cómo aumentar tu reputación en ''Reputación/Construir Reputación''.", + "bisqEasy.price.feedback.sentence.veryGood" to "muy buenas", + "bisqEasy.walletGuide.createWallet" to "Nueva billetera", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.description" to "Estado de la conexión de la cámara web", + "bisqEasy.tradeWizard.review.sellerPaysMinerFeeLong" to "El vendedor paga la tarifa de minería", + "bisqEasy.tradeState.info.buyer.phase2b.headline" to "Esperar a que el vendedor confirme la recepción del pago", + "bisqEasy.tradeWizard.paymentMethods.bitcoin.subTitle.seller" to "Elige el método de transferencia para enviar Bitcoin", + "bisqEasy.tradeState.info.seller.phase3a.bitcoinPayment.description.LN" to "Factura Lightning", + "bisqEasy.tradeCompleted.body.copy.explorerLink.tooltip" to "Copiar enlace de transacción del explorador de bloques", + "bisqEasy.tradeWizard.amount.headline.seller" to "¿Cuánto deseas recibir?", + "bisqEasy.openTrades.table.direction.buyer" to "Comprando de:", + "bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.inSufficientScore" to "Con una Puntuación de Reputación de {0}, la seguridad que proporcionas es insuficiente para transacciones superiores a {1}.\n\nAún puedes crear tales ofertas, pero los compradores serán advertidos sobre los riesgos potenciales al intentar aceptar tu oferta.\n\nPuedes encontrar información sobre cómo aumentar tu reputación en ''Reputación/Construir Reputación''.", + "bisqEasy.tradeWizard.paymentMethods.customMethod.prompt" to "Método de pago personalizado", + "bisqEasy.tradeState.info.phase4.leaveChannel" to "Cerrar intercambio", + "bisqEasy.tradeWizard.directionAndMarket.headline" to "¿Quieres comprar o vender Bitcoin con", + "bisqEasy.tradeWizard.review.chatMessage.price" to "Precio:", + "bisqEasy.tradeWizard.paymentMethods.bitcoin.subTitle.buyer" to "Elige el método de transferencia para recibir Bitcoin", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.headline.LN" to "Introduce tu factura de Lightning", + "bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage" to "{0} ha iniciado el pago en Bitcoin. {1}: ''{2}''", + "bisqEasy.openTrades.table.baseAmount" to "Cantidad en BTC", + "bisqEasy.openTrades.tradeLogMessage.cancelled" to "{0} canceló la operación", + "bisqEasy.openTrades.inMediation.info" to "Un mediador se ha unido al chat de intercambio. Utiliza el chat de intercambio a continuación para obtener asistencia del mediador.", + "bisqEasy.onboarding.right.button" to "Abrir el libro de ofertas", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.imageRecognized" to "Cámara web conectada", + "bisqEasy.tradeState.info.buyer.phase2a.sellersAccount" to "Cuenta de pago del vendedor", + "bisqEasy.tradeWizard.amount.numOffers.0" to "no hay oferta", + "bisqEasy.offerbook.markets.ExpandedList.Tooltip" to "Contraer mercados", + "bisqEasy.openTrades.cancelTrade.warning.seller" to "Dado que el intercambio de detalles de cuenta ya se produjo, cancelar la operación sin que el comprador {0}", + "bisqEasy.tradeCompleted.body.tradePrice" to "Precio del intercambio", + "bisqEasy.tradeWizard.amount.numOffers.*" to "hay {0} ofertas", + "bisqEasy.tradeWizard.review.chatMessage.peerMessageTitle.buy" to "Comprar Bitcoin de", + "bisqEasy.walletGuide.intro.content" to "En Bisq Easy, el Bitcoin que recibes llega directamente a tu bolsillo sin intermediarios. Esto es una gran ventaja, pero también significa que necesitas tener una cartera que controles tú mismo para recibirlo.\n\nEn esta rápida guía de cartera, te mostraremos en unos simples pasos cómo puedes crear una cartera sencilla. Con ella, podrás recibir y almacenar tu recién comprado Bitcoin.\n\nSi ya estás familiarizado con las carteras onchain y tienes una, puedes omitir esta guía y simplemente usarla.", + "bisqEasy.openTrades.rejected.peer" to "Tu compañero de comercio ha rechazado la operación", + "bisqEasy.offerbook.offerList.table.columns.settlementMethod" to "Transferencia", + "bisqEasy.topPane.closeFilter" to "Cerrar filtro", + "bisqEasy.tradeWizard.amount.numOffers.1" to "es una oferta", + "bisqEasy.component.amount.baseSide.tooltip.btcAmount.selectedPrice" to "Esta es la cantidad de Bitcoin con el precio que has seleccionado.", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.subHeadline" to "No hay ofertas disponibles para tus criterios de selección.", + "bisqEasy.openTrades.chat.detach" to "Desconectar", + "bisqEasy.offerbook.offerList.table.columns.price.tooltip.marketPrice" to "Precio de mercado: {0}", + "bisqEasy.openTrades.table.tradeId" to "ID de la operación", + "bisqEasy.tradeWizard.market.columns.name" to "Moneda Fiat", + "bisqEasy.offerbook.offerList.table.filters.offerDirection.sellTo" to "Vender a", + "bisqEasy.tradeWizard.directionAndMarket.feedback.tradeWithoutReputation" to "Continuar sin Reputación", + "bisqEasy.tradeWizard.paymentMethods.noneFound" to "El mercado seleccionado, no dispone de métodos de pago predeterminados.\nPor favor, agrega en el campo de texto a continuación el método de pago personalizado que deseas usar.", + "bisqEasy.tradeWizard.amount.seller.wizard.limitInfo" to "Con tu Puntuación de Reputación de {0}, puedes intercambiar hasta", + "bisqEasy.price.feedback.sentence.veryLow" to "muy bajas", + "bisqEasy.tradeWizard.review.noTradeFeesLong" to "No hay tarifas de intercambio en Bisq Easy", + "bisqEasy.tradeGuide.process.headline" to "¿Cómo funciona el proceso de intercambio?", + "bisqEasy.mediator" to "Mediador", + "bisqEasy.price.headline" to "¿Cuál es tu precio de intercambio?", + "bisqEasy.tradeWizard.paymentMethods.warn.noFiatPaymentMethodSelected" to "Por favor, elige al menos un método de pago fiat.", + "bisqEasy.tradeWizard.paymentMethods.fiat.subTitle.seller" to "Elige los métodos de pago para recibir {0}", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.description.buyersPrice" to "Tu precio de oferta para comprar Bitcoin era {0}.", + "bisqEasy.tradeState.info.buyer.phase2a.confirmFiatSent" to "Confirmar pago de {0}", + "bisqEasy.component.amount.minRangeValue" to "Mínimo {0}", + "bisqEasy.offerbook.chatMessage.deleteMessage.confirmation" to "¿Estás seguro de que quieres eliminar este mensaje?", + "bisqEasy.tradeCompleted.body.copy.txId.tooltip" to "Copiar ID de Transacción al portapapeles", + "bisqEasy.tradeWizard.amount.headline.buyer" to "¿Cuánto deseas gastar?", + "bisqEasy.openTrades.closeTrade" to "Cerrar intercambio", + "bisqEasy.openTrades.table.settlementMethod.tooltip" to "Método de transferencia de Bitcoin: {0}", + "bisqEasy.openTrades.csv.quoteAmount" to "Cantidad en {0}", + "bisqEasy.tradeWizard.review.createOfferSuccess.headline" to "Oferta publicada con éxito", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.all" to "Todo", + "bisqEasy.tradeState.info.buyer.phase1a.tradeLogMessage.MAIN_CHAIN" to "{0} ha enviado la dirección de Bitcoin ''{1}''", + "bisqEasy.tradeWizard.directionAndMarket.feedback.subTitle1" to "Aún no has establecido ninguna Reputación. Para los vendedores de Bitcoin, construir Reputación es crucial porque se requiere que los compradores envíen primero la moneda fiduciaria en el proceso de intercambio, confiando en la integridad del vendedor.\n\nEste proceso de construcción de Reputación es más adecuado para usuarios experimentados de Bisq, y puedes encontrar información detallada al respecto en la sección 'Reputación'.", + "bisqEasy.tradeWizard.directionAndMarket.feedback.subTitle2" to "Si bien es posible que los vendedores intercambien sin (o con poca) Reputación por cantidades relativamente bajas de hasta {0}, la probabilidad de encontrar un socio comercial se reduce considerablemente. Esto se debe a que los compradores tienden a evitar interactuar con vendedores que carecen de Reputación debido a riesgos de seguridad.", + "bisqEasy.tradeWizard.review.detailsHeadline.maker" to "Detalles de la oferta", + "bisqEasy.walletGuide.download.headline" to "Descargar tu cartera", + "bisqEasy.tradeWizard.selectOffer.headline.seller" to "Vender Bitcoin por {0}", + "bisqEasy.offerbook.marketListCell.numOffers.one" to "{0} oferta", + "bisqEasy.tradeWizard.amount.seller.wizard.limitInfo.overlay.info" to "Con una Puntuación de Reputación de {0}, puedes comerciar hasta {1}.\n\nPuedes encontrar información sobre cómo aumentar tu reputación en ''Reputación/Construir Reputación''.", + "bisqEasy.tradeState.info.seller.phase3b.balance.prompt" to "Esperando datos de la cadena de bloques...", + "bisqEasy.takeOffer.amount.buyer.limitInfo.minAmountCovered" to "La Puntuación de Reputación del vendedor de {0} proporciona seguridad hasta", + "bisqEasy.tradeGuide.welcome" to "Visión general", + "bisqEasy.offerbook.markets.CollapsedList.Tooltip" to "Expandir mercados", + "bisqEasy.tradeGuide.welcome.headline" to "Cómo intercambiar en Bisq Easy", + "bisqEasy.takeOffer.amount.description" to "La oferta permite que elijas una cantidad de intercambio\nentre {0} y {1}", + "bisqEasy.onboarding.right.headline" to "Para traders experimentados", + "bisqEasy.tradeState.info.buyer.phase3b.confirmButton.ln" to "Confirmar recepción", + "bisqEasy.walletGuide.download" to "Descargar", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.description.sellersPrice" to "Sin embargo, el vendedor te ofrece un precio diferente: {0}.", + "bisqEasy.offerbook.offerList.table.filters.paymentMethods.customPayments" to "Pagos personalizados", + "bisqEasy.offerbook.offerList.table.columns.paymentMethod" to "Pago", + "bisqEasy.takeOffer.progress.method" to "Método de pago", + "bisqEasy.tradeWizard.review.direction" to "{0} Bitcoin", + "bisqEasy.offerDetails.paymentMethods" to "Método(s) de pago admitido(s)", + "bisqEasy.openTrades.closeTrade.warning.interrupted" to "Antes de cerrar la operación, puedes hacer una copia de seguridad de los datos de la operación como archivo CSV si es necesario.\n\nUna vez que se cierra la operación, todos los datos relacionados con la operación desaparecen y no puedes comunicarte con tu compañero de intercambio en el chat de intercambio.\n\n¿Quieres cerrar la operación ahora?", + "bisqEasy.tradeState.reportToMediator" to "Informar al mediador", + "bisqEasy.openTrades.table.price" to "Precio", + "bisqEasy.openTrades.chat.window.title" to "{0} - Chat con {1} / ID de operación: {2}", + "bisqEasy.tradeCompleted.header.paymentMethod" to "Método de pago", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.nameZA" to "Nombre Z-A", + "bisqEasy.tradeWizard.progress.review" to "Revisar", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.noReputationNeededForMaxOrFixedAmount" to "Los vendedores sin Reputación pueden aceptar ofertas de hasta {0}.", + "bisqEasy.tradeWizard.review.createOfferSuccess.subTitle" to "Ahora tu oferta está listada en el libro de ofertas. Cuando un usuario de Bisq tome tu oferta, aparecerá un nuevo intercambio en la sección 'Compra-ventas en curso'.\n\nAsegúrate de revisar regularmente la aplicación de Bisq para estar al tanto de nuevos mensajes de un tomador.", + "bisqEasy.openTrades.failed.popup" to "El intercambio falló debido a un error.\nMensaje de error: {0}\n\nRastreo de stack: {1}", + "bisqEasy.tradeWizard.paymentMethods.fiat.subTitle.buyer" to "Elige los métodos de pago para enviar {0}", + "bisqEasy.tradeWizard.market.subTitle" to "Elige tu moneda de intercambio", + "bisqEasy.tradeWizard.review.sellerPaysMinerFee" to "El vendedor paga la tarifa de minería", + "bisqEasy.openTrades.chat.peerLeft.subHeadline" to "Si la operación no se ha completado por tu parte y necesitas ayuda, contacta al mediador o visita el chat de soporte.", + "bisqEasy.tradeState.info.seller.phase3a.qrCodeDisplay.openWindow" to "Abrir una ventana más grande", + "bisqEasy.offerDetails.price" to "{0} precio de la oferta", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.withOffers" to "Con ofertas", + "bisqEasy.onboarding.left.button" to "Iniciar el asistente de compra-venta", + "bisqEasy.takeOffer.review.takeOffer" to "Confirmar la toma de la oferta", + "bisqEasy.tradeWizard.amount.limitInfo.overlay.close" to "Cerrar superposición", + "bisqEasy.tradeCompleted.title" to "El intercambio se completó con éxito", + "bisqEasy.tradeState.info.buyer.phase3b.headline.MAIN_CHAIN" to "El vendedor ha iniciado el pago en Bitcoin", + "bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.sufficientScore" to "Con una Puntuación de Reputación de {0}, proporcionas seguridad para intercambios de hasta {1}.", + "bisqEasy.tradeGuide.rules" to "Reglas de intercambio", + "bisqEasy.tradeState.info.phase3b.txId.tooltip" to "Abrir transacción en el explorador de bloques", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.prompt.LN" to "Introduce tu factura de Lightning", + "bisqEasy.openTrades.cancelTrade.warning.part2" to "de su consentimiento se considera una violación de las normas de intercambio y puede derivar en una baneo de tu perfil de la red.\n\nSi tu contraparte no ha respondido en más de 24 horas y no se ha hecho ningún pago, puedes rechazar esta compra-venta sin consecuencias. La responsabilidad será de la parte ausente.\n\nSi tienes preguntas o problemas, no dudes en contactar con tu contraparte o pedir ayuda en la sección 'Soporte'.\n\nSi crees que tu contraparte ha incumplido las normas de intercambio, tienes la opción de iniciar una petición de mediación. Un mediador se unirá al chat y colaborará para intentar alcanzar una solución amistosa.\n\nEstás seguro de que quieres cancelar la compra-venta?", + "bisqEasy.tradeState.header.pay" to "Cantidad a pagar", + "bisqEasy.tradeState.header.direction" to "Quiero", + "bisqEasy.tradeState.info.buyer.phase1b.info" to "Puedes usar el chat a continuación para ponerte en contacto con el vendedor.", + "bisqEasy.openTrades.welcome.line1" to "Conoce el modelo de seguridad de Bisq Easy", + "bisqEasy.tradeState.info.buyer.phase3b.tradeLogMessage.ln" to "{0} ha confirmado haber recibido el pago en Bitcoin", + "bisqEasy.tradeWizard.amount.description.minAmount" to "Establece el valor mínimo para el rango de cantidad", + "bisqEasy.onboarding.openTradeGuide" to "Leer la guía de compra-venta", + "bisqEasy.openTrades.welcome.line2" to "Descubre cómo funciona el proceso de intercambio", + "bisqEasy.price.warn.invalidPrice.outOfRange" to "El precio introducido no está en el rango de -10% a 50%.", + "bisqEasy.openTrades.welcome.line3" to "Familiarízate con las reglas de intercambio", + "bisqEasy.tradeState.bitcoinPaymentData.LN" to "Factura de Lightning", + "bisqEasy.tradeState.info.seller.phase1.note" to "Nota: Puedes usar el chat a continuación para ponerte en contacto con el comprador antes de revelar tus datos de cuenta.", + "bisqEasy.tradeWizard.directionAndMarket.buy" to "Comprar Bitcoin", + "bisqEasy.openTrades.confirmCloseTrade" to "Confirmar cierre de intercambio", + "bisqEasy.tradeWizard.amount.removeMinAmountOption" to "Usar un valor fijo de cantidad", + "bisqEasy.offerDetails.id" to "ID de la oferta", + "bisqEasy.tradeWizard.progress.price" to "Precio", + "bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo.overlay.info" to "Dado el bajo monto de la transacción de {0}, los requisitos de reputación se han relajado.\nPara montos de hasta {1}, los vendedores con reputación insuficiente o sin reputación pueden aceptar tu oferta.\n\nLos vendedores que deseen aceptar tu oferta con el monto máximo de {2}, deben tener una Puntuación de Reputación de al menos {3}.\nAl reducir el monto máximo de la transacción, haces que tu oferta sea accesible para más vendedores.", + "bisqEasy.tradeState.info.buyer.phase1a.send" to "Enviar al vendedor", + "bisqEasy.takeOffer.review.noTradeFeesLong" to "No hay comisiones de intercambio en Bisq Easy", + "bisqEasy.onboarding.watchVideo" to "Ver el video", + "bisqEasy.walletGuide.receive.content" to "Para recibir tu Bitcoin, necesitas una dirección de tu cartera. Para obtenerla, haz clic en tu cartera recién creada y, luego, haz clic en el botón 'Recibir' en la parte inferior de la pantalla.\n\nBluewallet mostrará una dirección no utilizada, tanto como código QR como texto. Esta dirección es lo que necesitarás proporcionar a tu compañero en Bisq Easy para que él pueda enviarte el Bitcoin que estás comprando. Puedes trasladar la dirección a tu PC escaneando el código QR con una cámara, enviando la dirección con un correo electrónico o mensaje de chat, o incluso escribiéndola manualmente.\n\nUna vez que completes el intercambio, Bluewallet detectará la llegada de Bitcoin y actualizará tu saldo con los nuevos fondos. Cada vez que realices un nuevo intercambio, obtén una dirección nueva para proteger tu privacidad.\n\nEstos son los conceptos básicos que necesitas saber para empezar a recibir Bitcoin en tu propia cartera. Si deseas obtener más información sobre Bluewallet, te recomendamos consultar los videos que se enumeran a continuación.", + "bisqEasy.takeOffer.progress.review" to "Revisar intercambio", + "bisqEasy.tradeCompleted.header.myDirection.buyer" to "He comprado", + "bisqEasy.tradeState.info.seller.phase3a.qrCodeDisplay.window.title" to "Escanear código QR para la compra-venta \"{0}\"", + "bisqEasy.tradeWizard.amount.seller.limitInfo.scoreTooLow" to "Con tu Puntuación de Reputación de {0}, el monto de tu intercambio no debe exceder", + "bisqEasy.openTrades.table.paymentMethod.tooltip" to "Método de pago fiat: {0}", + "bisqEasy.tradeCompleted.header.myOutcome.buyer" to "He pagado", + "bisqEasy.openTrades.chat.peer.description" to "Compañero de chat", + "bisqEasy.takeOffer.progress.amount" to "Cantidad del intercambio", + "bisqEasy.price.warn.invalidPrice.numberFormatException" to "El precio introducido no es un número válido.", + "bisqEasy.mediation.request.confirm.msg" to "Si tienes problemas que no puedes resolver con tu compañero de intercambio, puedes solicitar ayuda de un mediador.\n\nPor favor, no solicites mediación para preguntas generales. En la sección de soporte, hay salas de chat donde puedes obtener consejos y ayuda general.", + "bisqEasy.tradeGuide.rules.headline" to "¿Qué necesitas saber sobre las reglas de intercambio?", + "bisqEasy.tradeState.info.buyer.phase3b.balance.prompt" to "Esperando datos de la cadena de bloques...", + "bisqEasy.offerbook.markets" to "Mercados", + "bisqEasy.privateChats.leave" to "Salir del chat", + "bisqEasy.tradeWizard.review.priceDetails" to "Fluctúa con el precio de mercado", + "bisqEasy.openTrades.table.headline" to "Mis compra-ventas en curso", + "bisqEasy.takeOffer.review.method.bitcoin" to "Método de transferencia en Bitcoin", + "bisqEasy.tradeWizard.amount.description.fixAmount" to "Establece la cantidad que deseas intercambiar", + "bisqEasy.offerDetails.buy" to "Oferta para comprar Bitcoin", + "bisqEasy.openTrades.chat.detach.tooltip" to "Abrir chat en una nueva ventana", + "bisqEasy.tradeState.info.buyer.phase3a.headline" to "Espera el pago en Bitcoin del vendedor", + "bisqEasy.openTrades" to "Mis compra-ventas en curso", + "bisqEasy.tradeState.info.buyer.phase3b.info.MAIN_CHAIN" to "En cuanto la transacción de Bitcoin sea visible en la red de Bitcoin, verás el pago. Después de 1 confirmación en la cadena de bloques, el pago puede considerarse como completado.", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.browseOfferbook.info" to "Cierra el asistente de intercambio y explora el libro de ofertas", + "bisqEasy.tradeGuide.rules.confirm" to "He leído y comprendido", + "bisqEasy.walletGuide.intro" to "Introducción", + "bisqEasy.tradeState.info.phase3b.balance.help.notConfirmed" to "Transacción vista en el mempool pero aún no confirmada", + "bisqEasy.mediation.request.feedback.noMediatorAvailable" to "No hay mediadores disponibles. Por favor, utiliza el chat de soporte en su lugar.", + "bisqEasy.price.feedback.learnWhySection.description.intro" to "La razón es que el vendedor tiene que cubrir gastos adicionales y compensar por su servicio, específicamente:", + "bisqEasy.offerbook.marketListCell.favourites.tooltip.addToFavourites" to "Añadir a favoritos", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.tooltip" to "Ordenar y filtrar", + "bisqEasy.openTrades.rejectTrade" to "Rechazar intercambio", + "bisqEasy.openTrades.table.direction.seller" to "Vendiendo a:", + "bisqEasy.offerDetails.sell" to "Oferta para vender Bitcoin", + "bisqEasy.tradeWizard.amount.seller.limitInfo.sufficientScore" to "Tu Puntuación de Reputación de {0} proporciona seguridad para ofertas de hasta", + "bisqEasy.tradeState.info.phase3b.balance.invalid.multipleOutputsForAddress" to "Múltiples salidas de la transacción coinciden", + "bisqEasy.onboarding.top.headline" to "Bisq Easy en 3 minutos", + "bisqEasy.tradeWizard.amount.buyer.numSellers.1" to "hay un vendedor", + "bisqEasy.tradeGuide.tabs.headline" to "Guía de intercambio", + "bisqEasy.tradeWizard.amount.seller.limitInfo.inSufficientScore" to "La seguridad proporcionada por tu Puntuación de Reputación de {0} es insuficiente para ofertas superiores a", + "bisqEasy.openTrades.exportTrade" to "Exportar datos de la operación", + "bisqEasy.tradeWizard.review.table.reputation" to "Reputación", + "bisqEasy.tradeWizard.amount.buyer.numSellers.0" to "no hay ningún vendedor", + "bisqEasy.tradeWizard.progress.directionAndMarket" to "Tipo de oferta", + "bisqEasy.offerDetails.direction" to "Tipo de oferta", + "bisqEasy.tradeWizard.amount.buyer.numSellers.*" to "hay {0} vendedores", + "bisqEasy.offerDetails.date" to "Fecha de creación", + "bisqEasy.offerbook.offerList.table.filters.paymentMethods.title.all" to "Todo", + "bisqEasy.takeOffer.noMediatorAvailable.warning" to "No hay un mediador disponible. Debes usar el chat de soporte en su lugar.", + "bisqEasy.offerbook.offerList.table.columns.price" to "Precio", + "bisqEasy.offerbook.offerList.table.filters.offerDirection.buyFrom" to "Comprar de", + "bisqEasy.component.amount.baseSide.tooltip.buyer.btcAmount" to "Esta es la cantidad de Bitcoin a recibir", + "bisqEasy.takeOffer.bitcoinPaymentData.warning.LN" to "La factura Lightning que has introducido no es válida.\n\nSi estás seguro de que la factura es válida, puedes ignorar este aviso y continuar.", + "bisqEasy.tradeWizard.review.takeOfferSuccessButton" to "Mostrar intercambio en 'Compra-ventas en curso'", + "bisqEasy.tradeGuide.process.steps" to "1. El vendedor y el comprador intercambian detalles de la cuenta. El vendedor envía sus datos de pago (por ejemplo, número de cuenta bancaria) al comprador y el comprador envía su dirección de Bitcoin (o factura de Lightning) al vendedor.\n2. A continuación, el comprador inicia el pago en fiat a la cuenta del vendedor. Al recibir el pago, el vendedor confirmará la recepción.\n3. Luego, el vendedor envía el Bitcoin a la dirección del comprador y comparte el ID de la transacción (o, la preimagen en caso de que se utilice Lightning). La interfaz de usuario mostrará el estado de confirmación. Una vez confirmado, la operación se completa con éxito.", + "bisqEasy.openTrades.rejectTrade.warning" to "Como el intercambio de detalles de cuenta aún no se ha iniciado, rechazar la operación no supone una violación de las reglas de intercambio.\n\nSi tienes algunas preguntas o encuentras problemas, por favor no dudes en contactar ton tu par de intercambio o buscar asisencia en la sección \"Soporte\"\n\n¿Estás seguro de querer rechazar la operación?", + "bisqEasy.tradeWizard.price.subtitle" to "Esto puede marcarse como un precio porcentual que fluctúa con el precio de mercado o un precio fijo.", + "bisqEasy.openTrades.tradeLogMessage.rejected" to "{0} rechazó la operación", + "bisqEasy.tradeState.header.tradeId" to "ID de intercambio", + "bisqEasy.topPane.filter" to "Filtrar el libro de ofertas", + "bisqEasy.tradeWizard.review.priceDetails.fix" to "Precio fijo. {0} {1} precio de mercado de {2}", + "bisqEasy.tradeWizard.amount.description.maxAmount" to "Establece el valor máximo para el rango de cantidad", + "bisqEasy.tradeState.info.buyer.phase2b.info" to "Una vez que el vendedor haya recibido tu pago de {0}, iniciará el pago en Bitcoin a tu {1} proporcionado.", + "bisqEasy.tradeState.info.seller.phase3a.sendBtc" to "Enviar {0} al comprador", + "bisqEasy.onboarding.left.headline" to "Ideal para principiantes", + "bisqEasy.takeOffer.paymentMethods.headline.bitcoin" to "¿Qué método de transferencia quieres utilizar?", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.mostOffers" to "Mayoría de ofertas", + "bisqEasy.tradeState.header.send" to "Cantidad a enviar", + "bisqEasy.tradeWizard.review.noTradeFees" to "No hay comisiones de intercambio en Bisq Easy", + "bisqEasy.tradeWizard.directionAndMarket.sell" to "Vender Bitcoin", + "bisqEasy.tradeState.info.phase3b.balance.help.confirmed" to "Transacción confirmada", + "bisqEasy.tradeWizard.directionAndMarket.feedback.backToBuy" to "Atrás", + "bisqEasy.tradeWizard.review.price" to "{0} <{1} style=intercambio-wizard-review-code>", + "bisqEasy.openTrades.table.makerTakerRole.maker" to "Creador", + "bisqEasy.tradeWizard.review.priceDetails.fix.atMarket" to "Precio fijo. Igual al precio de mercado de {0}", + "bisqEasy.tradeCompleted.tableTitle" to "Resumen", + "bisqEasy.tradeWizard.market.headline.seller" to "¿En qué moneda deseas recibir el pago?", + "bisqEasy.tradeCompleted.body.date" to "Fecha", + "bisqEasy.tradeWizard.review.paymentMethodDescriptions.btc.taker" to "Seleccionar método de transferencia en Bitcoin", + "bisqEasy.tradeState.info.seller.phase3b.confirmButton.ln" to "Completar operación", + "bisqEasy.tradeState.info.seller.phase2b.headline" to "Verificar si has recibido {0}", + "bisqEasy.price.feedback.learnWhySection.description.exposition" to "- Construir reputación lo cual puede ser costoso.- El vendedor tiene que pagar las comisiones de los mineros.- El vendedor es el asistente en el proceso de la operación, de forma que invierte más tiempo.", + "bisqEasy.takeOffer.amount.buyer.limitInfoAmount" to "{0}.", + "bisqEasy.tradeState.info.buyer.phase2a.headline" to "Enviar {0} a la cuenta de pago del vendedor", + "bisqEasy.price.feedback.learnWhySection.title" to "¿Por qué debería pagar un precio más alto al vendedor?", + "bisqEasy.offerbook.offerList.table.columns.price.tooltip.floatPrice" to "Porcentaje de precio {0}\nCon precio de mercado actual: {1}", + "bisqEasy.takeOffer.review.price.price" to "Precio del intercambio", + "bisqEasy.tradeState.paymentProof.LN" to "Preimagen", + "bisqEasy.openTrades.table.settlementMethod" to "Transferencia", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.description.question" to "¿Quieres aceptar este nuevo precio o deseas rechazar/cancelar* la operación?", + "bisqEasy.takeOffer.tradeLogMessage" to "{0} ha enviado un mensaje para aceptar la oferta de {1}", + "bisqEasy.openTrades.cancelled.self" to "Tú has cancelado la operación", + "bisqEasy.component.amount.baseSide.tooltip.btcAmount.marketPrice" to "Esta es la cantidad de Bitcoin con el precio de mercado actual.", + "bisqEasy.tradeGuide.security" to "Seguridad", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.description.disclaimer" to "(*Nota que en este caso específico, cancelar la operación NO será considerado una violación de las reglas de comercio.)", + "bisqEasy.tradeState.info.buyer.phase3b.headline.ln" to "El vendedor ha enviado el Bitcoin a través de la red Lightning", + "bisqEasy.mediation.request.feedback.headline" to "Mediación solicitada", + "bisqEasy.tradeState.requestMediation" to "Solicitar mediación", + "bisqEasy.price.warn.invalidPrice.exception" to "El precio introducido no es válido.\n\nMensaje de error: {0}", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.goBack.info" to "Vuelve a las pantallas anteriores y cambia la selección", + "bisqEasy.offerbook.marketListCell.numOffers.tooltip.one" to "{0} oferta disponible en el mercado {1}", + "bisqEasy.tradeGuide.process.content" to "Cuando decidas aceptar una oferta, tendrás la flexibilidad de elegir entre las opciones disponibles proporcionadas por la oferta. Antes de comenzar la operación, se te presentará un resumen para tu revisión.\nUna vez iniciada la operación, la interfaz de usuario te guiará a través del proceso de la operación, que consta de los siguientes pasos:", + "bisqEasy.openTrades.csv.txIdOrPreimage" to "ID de transacción/Preimagen", + "bisqEasy.tradeState.info.buyer.phase1a.walletHelpButton" to "Abrir guía de carteras", + "bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo" to "Para el monto máximo de {0} hay {1} con suficiente Reputación para aceptar tu oferta.", + "bisqEasy.tradeWizard.review.chatMessage.floatPrice.above" to "{0} por encima del precio de mercado", + "bisqEasy.tradeWizard.selectOffer.headline.buyer" to "Comprar Bitcoin por {0}", + "bisqEasy.tradeWizard.review.chatMessage.fixPrice" to "{0}", + "bisqEasy.tradeState.info.phase3b.button.next" to "Siguiente", + "bisqEasy.tradeWizard.review.toReceive" to "Cantidad a recibir", + "bisqEasy.tradeState.info.seller.phase1.tradeLogMessage" to "{0} ha enviado los datos de la cuenta de pago:\n{1}", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.noReputationNeededForMaxOrFixedAmount.info" to "Dado el bajo monto de {0}, los requisitos de Reputación son relajados.\nPara montos de hasta {1}, los vendedores con Reputación insuficiente o sin Reputación pueden aceptar la oferta.\n\nAsegúrate de comprender completamente los riesgos al comerciar con un vendedor sin Reputación o con Reputación insuficiente. Si no deseas estar expuesto a ese riesgo, elige un monto superior a {2}.", + "bisqEasy.tradeCompleted.body.tradeFee" to "Tarifa de comercio", + "bisqEasy.tradeWizard.review.nextButton.takeOffer" to "Confirmar intercambio", + "bisqEasy.openTrades.chat.peerLeft.headline" to "{0} ha abandonado la operación", + "bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.headline" to "Enviando mensaje tomar-oferta", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.headline.MAIN_CHAIN" to "Introduce tu dirección de Bitcoin", + "bisqEasy.offerbook.marketListCell.numOffers.tooltip.many" to "{0} ofertas disponibles en el mercado {1}", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.prompt.LN" to "Introduce la preimagen si está disponible", + "bisqEasy.mediation.requester.tradeLogMessage" to "{0} ha solicitado mediación", + "bisqEasy.tradeWizard.review.table.baseAmount.buyer" to "Tú recibes", + "bisqEasy.tradeWizard.review.table.price" to "Precio en {0}", + "bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.paymentProof.MAIN_CHAIN" to "ID de la transacción", + "bisqEasy.component.amount.baseSide.tooltip.bestOfferPrice" to "Esta es la cantidad de Bitcoin con el mejor precio\nentre las ofertas coincidentes: {0}", + "bisqEasy.tradeWizard.review.headline.maker" to "Revisar oferta", + "bisqEasy.openTrades.reportToMediator" to "Informar al mediador", + "bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.info" to "No cierres la ventana de la aplicación hasta que veas la confirmación de que el mensaje se ha enviado correctamente.", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.sortTitle" to "Ordenar por:", + "bisqEasy.tradeWizard.review.priceDescription.taker" to "Precio de intercambio", + "bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.subTitle" to "Enviar el mensaje tomar-oferta puede llevar hasta 2 minutos", + "bisqEasy.walletGuide.receive.headline" to "Recibir Bitcoin en tu cartera", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.headline" to "No se encontraron ofertas coincidentes", + "bisqEasy.walletGuide.tabs.headline" to "Guía de billetera", + "bisqEasy.offerbook.offerList.table.columns.fiatAmount" to "Cantidad de {0}", + "bisqEasy.takeOffer.makerBanned.warning" to "El creador de esta oferta está baneado. Por favor, intenta usar una oferta diferente.", + "bisqEasy.price.feedback.learnWhySection.closeButton" to "Volver a Precio de la Operación", + "bisqEasy.tradeWizard.review.feeDescription" to "Comisiones", + "bisqEasy.takeOffer.amount.buyer.limitInfo.minAmountCovered.overlay.info" to "La Puntuación de Reputación del vendedor de {0} proporciona seguridad por hasta {1}.\n\nSi eliges un monto mayor, asegúrate de estar completamente consciente de los riesgos asociados. El modelo de seguridad de Bisq Easy se basa en la reputación del vendedor, ya que se requiere que el comprador Envíe primero la moneda fiduciaria.", + "bisqEasy.tradeWizard.review.paymentMethodDescriptions.btc.maker" to "Métodos de transferencia en Bitcoin", + "bisqEasy.tradeWizard.review.headline.taker" to "Revisar orden", + "bisqEasy.takeOffer.review.takeOfferSuccess.headline" to "Has tomado la oferta con éxito", + "bisqEasy.openTrades.failedAtPeer.popup" to "El intercambio del par falló debido a un error.\nError causado por: {0}\n\nRastreo de pila: {1}", + "bisqEasy.tradeCompleted.header.myDirection.seller" to "He vendido", + "bisqEasy.tradeState.info.buyer.phase1b.headline" to "Esperar los datos de la cuenta de pago del vendedor", + "bisqEasy.price.feedback.sentence.some" to "algunas", + "bisqEasy.component.amount.baseSide.tooltip.seller.btcAmount" to "Esta es la cantidad de Bitcoin a gastar", + "bisqEasy.offerDetails.headline" to "Detalles de la oferta", + "bisqEasy.openTrades.cancelTrade" to "Cancelar intercambio", + "bisqEasy.tradeState.info.phase3b.button.next.noOutputForAddress" to "La transacción \"{1}\" no contiene ninguna salida con la dirección \"{0}\".\n\n¿Has podido resolver este problema con tu contraparte? Si no es así, puedes solicitar mediación para resolver la disputa.", + "bisqEasy.price.tradePrice.title" to "Precio fijo", + "bisqEasy.openTrades.table.mediator" to "Mediador", + "bisqEasy.offerDetails.makersTradeTerms" to "Términos comerciales del creador", + "bisqEasy.openTrades.chat.attach.tooltip" to "Restaurar chat de nuevo en la ventana principal", + "bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMax" to "La Puntuación de Reputación del vendedor es solo {0}. No se recomienda intercambiar más de", + "bisqEasy.privateChats.table.myUser" to "Mi perfil", + "bisqEasy.tradeState.info.phase4.exportTrade" to "Exportar datos de la operación", + "bisqEasy.takeOffer.amount.buyer.limitInfo.minAmountNotCovered" to "La Puntuación de Reputación del vendedor de {0} no proporciona suficiente seguridad para esa oferta.", + "bisqEasy.tradeWizard.selectOffer.subHeadline" to "Se recomienda intercambiar con usuarios con alta reputación.", + "bisqEasy.topPane.filter.offersOnly" to "Mostrar solo ofertas en el libro de ofertas de Bisq Easy", + "bisqEasy.tradeWizard.review.nextButton.createOffer" to "Crear oferta", + "bisqEasy.offerbook.offerList.table.filters.paymentMethods.clearFilters" to "Quitar filtros", + "bisqEasy.openTrades.noTrades" to "No tienes ninguna operación abierta", + "bisqEasy.tradeState.info.seller.phase2b.info" to "Visita tu cuenta bancaria o la aplicación de tu proveedor de pagos para confirmar la recepción del pago del comprador.", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.prompt.MAIN_CHAIN" to "Introduce tu dirección de Bitcoin", + "bisqEasy.tradeWizard.amount.seller.limitInfoAmount" to "{0}.", + "bisqEasy.openTrades.welcome.headline" to "Bienvenido a tu primer intercambio en Bisq Easy", + "bisqEasy.takeOffer.amount.description.limitedByTakersReputation" to "Tu Puntuación de Reputación de {0} te permite elegir un monto de intercambio\nentre {1} y {2}", + "bisqEasy.tradeState.info.seller.phase1.buttonText" to "Enviar datos de cuenta", + "bisqEasy.tradeState.info.phase3b.txId.failed" to "La búsqueda de la transacción en ''{0}'' falló con {1}: ''{2}''", + "bisqEasy.component.amount.baseSide.tooltip.taker.offerPrice" to "con el precio de la oferta: {0}", + "bisqEasy.takeOffer.review.takeOfferSuccessButton" to "Mostrar intercambio en 'Intercambios Abiertos'", + "bisqEasy.walletGuide.createWallet.headline" to "Creando tu nueva cartera", + "bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.noProofProvided" to "{0} ha iniciado el pago en Bitcoin.", + "bisqEasy.walletGuide.intro.headline" to "Prepárate para recibir tu primer Bitcoin", + "bisqEasy.openTrades.rejected.self" to "Tú has rechazado la operación", + "bisqEasy.takeOffer.amount.headline.buyer" to "¿Cuánto deseas gastar?", + "bisqEasy.tradeState.header.receive" to "Cantidad a recibir", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.title" to "¡Atención al cambio de precio!", + "bisqEasy.offerDetails.priceValue" to "{0} (premium: {1})", + "bisqEasy.tradeWizard.review.chatMessage.floatPrice.below" to "{0} por debajo del precio de mercado", + "bisqEasy.tradeState.info.seller.phase1.headline" to "Enviar tus datos de cuenta de pago al comprador", + "bisqEasy.tradeWizard.market.columns.numPeers" to "Usuarios en línea", + "bisqEasy.tradeState.info.phase3b.button.next.amountNotMatching.resolved" to "Sí, lo he resuelto", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.favourites" to "Solo favoritos", + "bisqEasy.openTrades.table.me" to "Yo", + "bisqEasy.tradeCompleted.header.tradeId" to "ID de intercambio", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.description.MAIN_CHAIN" to "Dirección de Bitcoin", + "bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.linkToWikiText" to "Para más detalles sobre el sistema de Reputación, visita la Wiki de Bisq en:", + "bisqEasy.openTrades.table.tradePeer" to "Compañero de intercambio", + "bisqEasy.price.feedback.learnWhySection.openButton" to "¿Por qué?", + "bisqEasy.mediation.request.confirm.headline" to "Solicitar mediación", + "bisqEasy.tradeWizard.review.paymentMethodDescription.btc" to "Método de transferencia en Bitcoin", + "bisqEasy.tradeWizard.paymentMethods.warn.tooLong" to "El nombre de tu método de pago personalizado no puede tener más de 20 caracteres.", + "bisqEasy.walletGuide.download.link" to "Haz clic aquí para visitar la página de Bluewallet", + "bisqEasy.onboarding.right.info" to "Explora el libro de ofertas para encontrar las mejores ofertas o crea tu propia oferta.", + "bisqEasy.component.amount.maxRangeValue" to "Máximo {0}", + "bisqEasy.tradeState.info.phase3b.balance.invalid.noOutputsForAddress" to "No se han encontrado salidas que coincidan en la transacción", + "bisqEasy.tradeWizard.review.priceDescription.maker" to "Precio de la oferta", + "bisqEasy.takeOffer.paymentMethods.subtitle.fiat.buyer" to "Elige un método de pago para enviar {0}", + "bisqEasy.tradeGuide.security.headline" to "¿Qué tan seguro es intercambiar en Bisq Easy?", + "bisqEasy.takeOffer.amount.buyer.limitInfo.overlay.linkToWikiText" to "Para obtener más información sobre el sistema de Reputación, visita:", + "bisqEasy.walletGuide.receive.link2" to "Tutorial de Bluewallet de BTC Sessions", + "bisqEasy.walletGuide.receive.link1" to "Tutorial de Bluewallet de Anita Posch", + "bisqEasy.tradeWizard.progress.amount" to "Cantidad", + "bisqEasy.offerbook.chatMessage.deleteOffer.confirmation" to "¿Estás seguro de querer borrar esta oferta?", + "bisqEasy.tradeWizard.review.priceDetails.float" to "Precio flotante. {0} {1} precio de mercado de {2}", + "bisqEasy.openTrades.welcome.info" to "Por favor, familiarízate con el concepto, el proceso y las reglas para comerciar en Bisq Easy.\nDespués de haber leído y aceptado las reglas de intercambio, puedes iniciar el intercambio.", + "bisqEasy.tradeState.info.seller.phase3a.fiatPaymentReceivedCheckBox" to "He confirmado haber recibido {0}", + "bisqEasy.offerbook" to "Libro de ofertas", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.description.LN" to "Factura de Lightning", + "bisqEasy.openTrades.table.makerTakerRole" to "Mi rol", + "bisqEasy.tradeWizard.market.headline.buyer" to "¿En qué moneda deseas pagar?", + "bisqEasy.tradeWizard.amount.limitInfo.overlay.headline" to "Límites de cantidad de comercio basados en la Reputación", + "bisqEasy.tradeWizard.progress.takeOffer" to "Seleccionar oferta", + "bisqEasy.tradeWizard.market.columns.numOffers" to "Num. de ofertas", + "bisqEasy.offerbook.offerList.expandedList.tooltip" to "Contraer lista de ofertas", + "bisqEasy.openTrades.failedAtPeer" to "El intercambio del par falló con un error causado por: {0}", + "bisqEasy.tradeState.info.buyer.phase3b.info.ln" to "La transferencia a través de la red Lightning suele ser casi instantánea.\nSi no has recibido el pago después de 1 minuto, contacta al vendedor en el chat del intercambio. En algunos casos, los pagos fallan y necesitan ser repetidos.", + "bisqEasy.takeOffer.amount.buyer.limitInfo.learnMore" to "Aprender más", + "bisqEasy.takeOffer.paymentMethods.subtitle.fiat.seller" to "Elige un método de pago para recibir {0}", + "bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo.leadLine" to "Dado que tu cantidad mínima está por debajo de {0}, los vendedores sin Reputación pueden aceptar tu oferta.", + "bisqEasy.walletGuide.open" to "Abrir guía de billetera", + "bisqEasy.tradeState.info.seller.phase3a.btcSentButton" to "Confirmo haber enviado {0}", + "bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMax.overlay.info" to "La Puntuación de Reputación del vendedor de {0} no proporciona suficiente seguridad. Sin embargo, para montos de intercambio más bajos (hasta {1}), los requisitos de reputación son más flexibles.\n\nSi decides continuar a pesar de la falta de la reputación del vendedor, asegúrate de estar completamente consciente de los riesgos asociados. El modelo de seguridad de Bisq Easy se basa en la reputación del vendedor, ya que se requiere que el comprador Envíe primero la moneda fiduciaria.", + "bisqEasy.tradeState.paymentProof.MAIN_CHAIN" to "ID de la transacción", + "bisqEasy.takeOffer.paymentMethods.subtitle.bitcoin.seller" to "Elige un método de transferencia para enviar Bitcoin", + "bisqEasy.offerbook.offerList.table.filters.showMyOffersOnly" to "Solo mis ofertas", + "bisqEasy.component.amount.baseSide.tooltip.buyerInfo" to "Los vendedores pueden pedir un precio más alto ya que incurren en costes para adquirir reputación.\nEs común un premium del 5-15% sobre el precio de mercado.", + "bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.scoreTooLow" to "Tu Puntuación de Reputación de {0} no ofrece suficiente seguridad para los compradores.\n\nLos compradores que consideren aceptar tu oferta recibirán una advertencia sobre los riesgos potenciales al tomar tu oferta.\n\nPuedes encontrar información sobre cómo aumentar tu reputación en ''Reputación/Construir Reputación''.", + "bisqEasy.tradeState.info.phase3b.button.next.amountNotMatching" to "La cantidad saliente para la dirección \"{0}\" en la transacción \"{1}\" es \"{2}\", que no coincide con la cantidad de la compra-venta, \"{3}\".\n\n¿Has podido resolver este problema con tu contraparte? Si no es así, puedes solicitar mediación para resolver la disputa.", + "bisqEasy.tradeState.info.buyer.phase3b.balance" to "Bitcoin recibido", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.overlay.info" to "Dado el monto mínimo bajo de {0}, los requisitos de Reputación están relajados.\nPara montos de hasta {1}, los vendedores no necesitan Reputación.\n\nEn la pantalla ''Seleccionar Oferta'' se recomienda elegir vendedores con mayor Reputación.", + "bisqEasy.tradeWizard.review.toPay" to "Cantidad a pagar", + "bisqEasy.takeOffer.review.headline" to "Revisar orden", + "bisqEasy.openTrades.table.makerTakerRole.taker" to "Tomador", + "bisqEasy.openTrades.chat.attach" to "Restaurar", + "bisqEasy.tradeWizard.amount.addMinAmountOption" to "Agregar rango mínimo/máximo para la cantidad", + "bisqEasy.tradeWizard.paymentMethods.warn.noBtcSettlementMethodSelected" to "Por favor, elige al menos un método de transferencia de Bitcoin", + "bisqEasy.takeOffer.paymentMethods.subtitle.bitcoin.buyer" to "Elige un método de transferencia para recibir Bitcoin", + "bisqEasy.openTrades.table.paymentMethod" to "Pago", + "bisqEasy.takeOffer.review.noTradeFees" to "No hay comisiones de transacción en Bisq Easy", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.tooltip" to "Escanea el código QR usando tu cámara web", + "bisqEasy.tradeWizard.review.paymentMethodDescriptions.fiat.maker" to "Métodos de pago en fiat", + "bisqEasy.tradeWizard.review.chatMessage.peerMessageTitle.sell" to "Vender Bitcoin a", + "bisqEasy.onboarding.left.info" to "El asistente de compra-venta te guiará en tu primera operación de Bitcoin. Los vendedores de Bitcoin te ayudarán si tienes alguna pregunta.", + "bisqEasy.offerbook.offerList.collapsedList.tooltip" to "Expandir lista de ofertas", + "bisqEasy.price.feedback.sentence.low" to "bajas", + "bisqEasy.tradeState.info.seller.phase3b.info.MAIN_CHAIN" to "El pago en Bitcoin requiere al menos 1 confirmación en la cadena de bloques para considerarse completo.", + "bisqEasy.tradeWizard.review.toSend" to "Cantidad a enviar", + "bisqEasy.tradeState.info.seller.phase1.accountData.prompt" to "Introduce tus datos de cuenta de pago. Por ejemplo, IBAN, BIC y nombre del titular de la cuenta", + "bisqEasy.tradeWizard.review.chatMessage.myMessageTitle" to "Mi oferta para {0} Bitcoin", + "bisqEasy.tradeWizard.directionAndMarket.feedback.headline" to "¿Cómo construir reputación?", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.info" to "Para ofertas de hasta {0}, los requisitos de Reputación son más flexibles.", + "bisqEasy.tradeWizard.review.createOfferSuccessButton" to "Mostrar mi oferta en 'Libro de Ofertas'", + "bisqEasy.tradeWizard.review.takeOfferSuccess.subTitle" to "Por favor, ponte en contacto con tu contraparte en 'Compra-ventas en curso'.\nEncontrarás más información sobre los próximos pasos allí.\n\nAsegúrate de revisar regularmente la aplicación de Bisq en busca de nuevos mensajes de tu contraparte.", + "bisqEasy.mediation.request.confirm.openMediation" to "Abrir mediación", + "bisqEasy.price.tradePrice.inputBoxText" to "Precio de la operación en {0}", + "bisqEasy.tradeGuide.rules.content" to "- Cualquiera de las dos partes puede cancelar la compra-venta sin justificación antes de que se intercambien los detalles de cuenta.\n- Las partes deben revisar regularmente si hay nuevos mensajes en el chat y deben responde en un máximo de 24 horas.\n- Una vez se han compartido los detalles de cuenta, incumplir las obligaciones de la compra-venta se considera un incumplimiento de contrato y puede resultar en expulsión de la red Bisq. Esto no aplica en caso de que una de las partes no responda.\n- Durante el pago fiat, el comprador de Bitcoin NO DEBE incluir referencias como 'Bisq' o 'Bitcoin' en el campo de concepto. Las partes tienen la opción de acordar un identificador, como una código aleatorio como por ejemplo 'H3TJADP', con el objetivo de poder asociar el pago fiat a la compra-venta.\n- Si la compra-venta no se puede completar de forma instantánea debido a la velocidad del pago fiat, ambas partes deben conectarse al menos una vez al día para revisar el progreso de la compra-venta.\n- En el caso de que las partes tengan diferencias que no puedan resolver amistosamente, tienen la opción de solicitar en el chat la ayuda de un mediador.\n\nSi tienes alguna pregunta o necesitas ayuda, siéntete libre de visitar las salas de chat accesibles desde el menú 'Soporte'. Feliz compra-venta!", + "bisqEasy.offerbook.offerList.table.columns.peerProfile" to "Perfil del usuario", + "bisqEasy.tradeState.info.phase3b.balance.invalid.amountNotMatching" to "La cantidad saliente de la transacción no es igual a la cantidad de la compra-venta", + "bisqEasy.tradeWizard.review.chatMessage.peerMessage.buy" to "Comprar Bitcoin a {0}\nCantidad: {1}\nMétodo(s) de transferencia de Bitcoin: {2}\nMétodo(s) de pago en fiat: {3}\n{4}", + "bisqEasy.price.percentage.title" to "Precio porcentual", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.connecting" to "Conectando a la cámara web...", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.learnMore" to "Aprender más", + "bisqEasy.tradeGuide.open" to "Abrir guía de intercambio", + "bisqEasy.tradeState.info.phase3b.lightning.preimage" to "Preimagen", + "bisqEasy.tradeWizard.review.table.baseAmount.seller" to "Tú gastas", + "bisqEasy.openTrades.cancelTrade.warning.buyer" to "Dado que el intercambio de detalles de cuenta ya se produjo, cancelar la operación sin que el vendedor {0}", + "bisqEasy.tradeWizard.review.chatMessage.marketPrice" to "Precio de mercado", + "bisqEasy.tradeWizard.amount.seller.limitInfo.link" to "Aprender más", + "bisqEasy.tradeState.info.seller.phase2a.waitForPayment.info" to "Una vez que el comprador haya iniciado el pago de {0}, recibirás una notificación.", + "bisqEasy.offerbook.offerList.table.columns.price.tooltip.fixPrice" to "Precio fijo: {0}\nPorcentaje respecto a precio de mercado: {1}", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.walletHelp" to "Si aún no has configurado una cartera, puedes encontrar ayuda en la guía de carteras", + "bisqEasy.tradeGuide.security.content" to "- El modelo de seguridad de Bisq Easy está optimizado para pequeñas cantidades de intercambio.\n- El modelo se basa en la reputación del vendedor, que suele ser un usuario experimentado de Bisq y del que se espera que brinde un soporte útil a los nuevos usuarios.\n- Obtener reputación puede ser costoso, lo que lleva a un aumento común del 5-15% en el precio para cubrir gastos adicionales y compensar el servicio del vendedor.\n- Comerciar con vendedores que carecen de reputación conlleva riesgos significativos y solo debe hacerse si se comprenden y gestionan adecuadamente los riesgos.", + "bisqEasy.openTrades.csv.paymentMethod" to "Método de pago", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.button.accept" to "Aceptar precio", + "bisqEasy.openTrades.failed" to "El intercambio falló con el mensaje de error: {0}", + "bisqEasy.tradeState.info.seller.phase3b.headline.MAIN_CHAIN" to "Esperando confirmación en la cadena de bloques", + "bisqEasy.tradeState.info.buyer.phase3a.info" to "El vendedor necesita iniciar el pago en Bitcoin a tu {0} proporcionado.", + "bisqEasy.tradeState.info.seller.phase3b.headline.ln" to "Espera a que el comprador confirme la recepción del Bitcoin", + "bisqEasy.tradeState.phase4" to "Intercambio completado", + "bisqEasy.tradeWizard.review.detailsHeadline.taker" to "Detalles del intercambio", + "bisqEasy.tradeState.phase3" to "Transferencia de Bitcoin", + "bisqEasy.tradeWizard.review.takeOfferSuccess.headline" to "Has tomado la oferta con éxito", + "bisqEasy.tradeState.phase2" to "Pago en fiat", + "bisqEasy.tradeState.phase1" to "Detalles de la cuenta", + "bisqEasy.mediation.request.feedback.msg" to "Se ha enviado una solicitud a los mediadores registrados.\n\nPor favor, ten paciencia hasta que un mediador esté en línea para unirse al chat de intercambio y ayudar a resolver cualquier problema.", + "bisqEasy.offerBookChannel.description" to "Canal de mercado para intercambiar {0}", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.failed" to "Error al conectar con la cámara web", + "bisqEasy.tradeGuide.welcome.content" to "Esta guía proporciona una visión general de los aspectos esenciales para comprar o vender Bitcoin con Bisq Easy.\nEn esta guía, aprenderás sobre el modelo de seguridad utilizado en Bisq Easy, obtendrás información sobre el proceso de intercambio y te familiarizarás con las reglas de intercambio.\n\nPara cualquier pregunta adicional, no dudes en visitar las salas de chat disponibles en el menú 'Soporte'.", + "bisqEasy.offerDetails.quoteSideAmount" to "{0} cantidad", + "bisqEasy.tradeState.info.seller.phase2a.waitForPayment.headline" to "Esperar el pago de {0} del comprador", + "bisqEasy.tradeState.info.buyer.phase2a.reasonForPaymentInfo" to "Por favor, deja el campo 'Motivo del pago' vacío, en caso de que realices una transferencia bancaria", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.proceed" to "Ignorar aviso", + "bisqEasy.offerbook.offerList.table.filters.paymentMethods.title" to "Pagos ({0})", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.browseOfferbook" to "Explorar el libro de ofertas", + "bisqEasy.tradeState.info.seller.phase2b.fiatReceivedButton" to "Confirmar recepción de {0}", + "bisqEasy.tradeWizard.amount.seller.limitInfo.noReputationNeededForMaxOrFixedAmount" to "Para montos de hasta {0} no se requiere Reputación.", + "bisqEasy.openTrades.csv.receiverAddressOrInvoice" to "Dirección del receptor/Factura", + "bisqEasy.tradeWizard.review.chatMessage.peerMessage.sell" to "Vender Bitcoin a {0}\nCantidad: {1}\nMétodo(s) de transferencia de Bitcoin: {2}\nMétodo(s) de pago en fiat: {3}\n{4}", + "bisqEasy.takeOffer.review.sellerPaysMinerFee" to "El vendedor paga la comisión de minería", + "bisqEasy.takeOffer.review.sellerPaysMinerFeeLong" to "El vendedor paga la comisión de minería", + "bisqEasy.tradeWizard.review.paymentMethodDescriptions.fiat.taker" to "Seleccionar método de pago en fiat", + "bisqEasy.tradeWizard.directionAndMarket.feedback.gainReputation" to "Aprende cómo construir tu reputación", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.MAIN_CHAIN" to "El ID de transacción que has introducido no parece válido.\n\nSi estás seguro de que el ID es válido, puedes ignorar este aviso y continuar.", + "bisqEasy.tradeState.info.buyer.phase2a.quoteAmount" to "Cantidad a transferir", + "bisqEasy.offerbook.marketListCell.favourites.tooltip.removeFromFavourites" to "Eliminar de favoritos", + "bisqEasy.offerbook.marketListCell.numOffers.tooltip.none" to "Aún no hay ofertas disponibles en el mercado {0}", + "bisqEasy.price.percentage.inputBoxText" to "Porcentaje del precio de mercado entre -10% y 50%", + "bisqEasy.takeOffer.amount.seller.limitInfo.overlay.info.scoreTooLow" to "Para montos de hasta {0}, los requisitos de reputación son más flexibles.\n\nTu Puntuación de Reputación de {1} no ofrece suficiente seguridad para el comprador. Sin embargo, dado el bajo monto de la transacción, el comprador aceptó asumir el riesgo.\n\nPuedes encontrar información sobre cómo aumentar tu reputación en ''Reputación/Construir Reputación''.", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.description.LN" to "Preimagen (opcional)", + "bisqEasy.takeOffer.bitcoinPaymentData.warning.MAIN_CHAIN" to "La dirección de Bitcoin que has introducido no es válida.\n\nSi estás seguro de que la dirección es válida, puedes ignorar este aviso y continuar.", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.goBack" to "Cambiar selección", + "bisqEasy.tradeWizard.amount.seller.wizard.numMatchingOffers.info" to "Hay {0} que coinciden con la cantidad de intercambio elegida.", + "bisqEasy.tradeState.bitcoinPaymentData.MAIN_CHAIN" to "Dirección de Bitcoin", + "bisqEasy.onboarding.top.content1" to "Obtén una introducción rápida a Bisq Easy", + "bisqEasy.onboarding.top.content2" to "Descubre cómo funciona el proceso de intercambio", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.description.MAIN_CHAIN" to "ID de la transacción", + "bisqEasy.onboarding.top.content3" to "Aprende sobre las simples reglas de compra-venta", + "bisqEasy.tradeState.header.peer" to "Compañero de intercambio", + "bisqEasy.tradeState.info.phase3b.button.skip" to "Omitir espera por confirmación de bloque", + "bisqEasy.openTrades.closeTrade.warning.completed" to "Tu intercambio se ha completado.\n\nAhora puedes cerrar el intercambio o hacer una copia de seguridad de los datos del intercambio en tu computadora si es necesario.\n\nUna vez que se cierra el intercambio todos los datos relacionados con la operación desaparecen y no puedes comunicarte con tu compañero de intercambio en el chat de intercambio.", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.noReputationNeededForMaxOrFixedAmount.riskInfo" to "Asegúrate de comprender completamente los riesgos involucrados.", + "bisqEasy.tradeState.info.buyer.phase1a.tradeLogMessage.LN" to "{0} ha enviado la factura de Lightning ''{1}''", + "bisqEasy.openTrades.cancelled.peer" to "Tu compañero de intercambio ha cancelado la operación", + "bisqEasy.tradeCompleted.header.myOutcome.seller" to "Recibí", + "bisqEasy.tradeWizard.review.chatMessage.offerDetails" to "Cantidad: {0}\nMétodo(s) de transferencia en Bitcoin: {1}\nMétodo(s) de pago en fiat: {2}\n{3}", + "bisqEasy.takeOffer.bitcoinPaymentData.warning.proceed" to "Ignorar aviso", + "bisqEasy.takeOffer.review.detailsHeadline" to "Detalles del intercambio", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.info" to "Un vendedor que desea aceptar tu oferta de {0}, debe tener una Puntuación de Reputación de al menos {1}.\nAl reducir la cantidad máxima de la transacción, haces tu oferta accesible a más vendedores.", + "bisqEasy.tradeState.info.buyer.phase2a.tradeLogMessage" to "{0} inició el pago de {1}", + "bisqEasy.takeOffer.amount.seller.limitInfo.scoreTooLow" to "Como tu Puntuación de Reputación es solo {0}, tu cantidad de comercio está restringida a", + "bisqEasy.tradeState.info.seller.phase3a.baseAmount" to "Cantidad a enviar", + "bisqEasy.takeOffer.review.takeOfferSuccess.subTitle" to "Por favor, ponte en contacto con tu contraparte en 'Compra-ventas en curso'.\nEncontrarás más información sobre los próximos pasos allí.\n\nAsegúrate de revisar regularmente la aplicación de Bisq para ver si tienes nuevos mensajes de tu contraparte.", + "bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.paymentProof.LN" to "Preimagen", + "bisqEasy.tradeCompleted.body.txId.tooltip" to "Abrir explorador de bloques ID de Transacción", + "bisqEasy.offerbook.marketListCell.numOffers.many" to "{0} ofertas", + "bisqEasy.walletGuide.createWallet.content" to "Bluewallet te permite crear varias carteras para diferentes propósitos. Por ahora, solo necesitas tener una cartera. Una vez que entres en Bluewallet, verás un mensaje que te sugiere agregar una nueva cartera. Una vez que lo hagas, añade un nombre para tu cartera y elige la opción *Bitcoin* en la sección *Tipo*. Puedes dejar todas las demás opciones tal como aparecen y hacer clic en *Crear*.\n\nCuando pases al siguiente paso, se te presentarán 12 palabras. Estas 12 palabras son la copia de seguridad que te permite recuperar tu cartera si le sucede algo a tu teléfono. Escríbelas en un papel (no digitalmente) en el mismo orden en el que se presentan, guárdalas de manera segura y asegúrate de que solo tú tengas acceso a ellas. Puedes obtener más información sobre cómo asegurar tu cartera en las secciones de Aprender de Bisq 2 dedicadas a cartera y seguridad.\n\nUna vez que hayas terminado, haz clic en 'Ok, lo escribí'.\n¡Felicidades! ¡Has creado tu cartera! Continuemos con cómo recibir tu Bitcoin en ella.", + "bisqEasy.tradeCompleted.body.tradeFee.value" to "No hay comisiones de transacción en Bisq Easy", + "bisqEasy.walletGuide.download.content" to "Hay muchas Billeteras disponibles que puedes usar. En esta guía, te mostraremos cómo usar Bluewallet. Bluewallet es excelente y, al mismo tiempo, muy simple, y puedes usarlo para Recibir tu Bitcoin de Bisq Easy.\n\nPuedes descargar Bluewallet en tu teléfono, independientemente de si tienes un dispositivo Android o iOS. Para hacerlo, puedes visitar la página web oficial en 'bluewallet.io'. Una vez allí, haz clic en App Store o Google Play dependiendo del dispositivo que estés usando.\n\nNota importante: para tu seguridad, asegúrate de descargar la aplicación desde la tienda de aplicaciones oficial de tu dispositivo. La aplicación oficial es proporcionada por 'Bluewallet Services, S.R.L.', y deberías poder ver esto en tu tienda de aplicaciones. Descargar una Billetera maliciosa podría poner tus fondos en riesgo.\n\nFinalmente, una nota rápida: Bisq no está afiliado a Bluewallet de ninguna manera. Sugerimos usar Bluewallet debido a su calidad y simplicidad, pero hay muchas otras opciones en el mercado. Debes sentirte completamente libre de comparar, probar y elegir la Billetera que mejor se adapte a tus necesidades.", + "bisqEasy.tradeState.info.phase4.txId.tooltip" to "Abrir transacción en el explorador de bloques", + "bisqEasy.price.feedback.sentence" to "Tu oferta tiene {0} probabilidades de ser aceptada a este precio.", + "bisqEasy.takeOffer.paymentMethods.headline.fiatAndBitcoin" to "¿Qué método de pago y transferencia quieres utilizar?", + "bisqEasy.tradeWizard.paymentMethods.headline" to "¿Qué métodos de pago y transferencia quieres utilizar?", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.nameAZ" to "Nombre A-Z", + "bisqEasy.tradeWizard.amount.buyer.limitInfo" to "Hay {0} en la red con suficiente Reputación para aceptar una oferta de {1}.", + "bisqEasy.tradeCompleted.header.myDirection.btc" to "btc", + "bisqEasy.tradeGuide.notConfirmed.warn" to "Lee la guía de intercambio y confirma que la has leído y comprendido.", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.info.leadLine" to "Hay {0} que coinciden con la cantidad de intercambio elegida.", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.linkToWikiText" to "Para obtener más información sobre el sistema de Reputación, visita:", + "bisqEasy.tradeState.info.seller.phase3b.info.ln" to "Normalmente, las transferencias a través de la red Lightnng son instantáneas y fiables. Sin embargo, a veces los pagos fallan y deben repetirse.\n\nPor favor, para evitar problemas, espera a que el comprador confirme la recepción en el chat antes de cerrar la compra-venta, ya que no después de ello no podréis comunicaros.", + "bisqEasy.tradeGuide.process" to "Proceso", + "bisqEasy.tradeWizard.paymentMethods.warn.customNameMatchesPredefinedMethod" to "El nombre de tu método de pago personalizado no puede ser igual que uno de los predefinidos.", + "bisqEasy.tradeState.info.phase3b.balance.help.explorerLookup" to "Buscando transacción en el explorador de bloques ''{0}''", + "bisqEasy.tradeWizard.progress.paymentMethods" to "Métodos de pago", + "bisqEasy.openTrades.table.quoteAmount" to "Cantidad", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.filterTitle" to "Mostrar mercados:", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.LN" to "La preimagen que has introducido no parece válida.\n\nSi estás seguro de que la preimagen es válida, puedes ignorar este aviso y continuar.", + "bisqEasy.tradeState.info.seller.phase1.accountData" to "Mis datos de cuenta de pago", + "bisqEasy.price.feedback.sentence.good" to "buenas", + "bisqEasy.takeOffer.review.method.fiat" to "Método de pago en fiat", + "bisqEasy.offerbook.offerList" to "Lista de ofertas", + "bisqEasy.offerDetails.baseSideAmount" to "Cantidad de Bitcoin", + "bisqEasy.tradeState.info.seller.phase3a.bitcoinPayment.description.MAIN_CHAIN" to "Dirección de Bitcoin", + "bisqEasy.tradeState.info.phase3b.txId" to "ID de transacción", + "bisqEasy.tradeWizard.review.paymentMethodDescription.fiat" to "Método de pago en fiat", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.prompt.MAIN_CHAIN" to "Introduce el ID de la transacción de Bitcoin", + "bisqEasy.tradeState.info.seller.phase3b.balance" to "Pago en Bitcoin", + "bisqEasy.takeOffer.amount.headline.seller" to "¿Cuánto deseas intercambiar?", + "bisqEasy.tradeWizard.paymentMethods.warn.maxMethodsReached" to "No puedes agregar más de 4 métodos de pago.", + "bisqEasy.tradeCompleted.header.tradeWith" to "Intercambiar con", + ), + "reputation" to mapOf( + "reputation.burnBsq" to "Quemar BSQ", + "reputation.signedWitness.import.step2.instruction" to "Copia el ID del perfil para pegarlo en Bisq 1.", + "reputation.signedWitness.import.step4.instruction" to "Pega los datos json del paso anterior", + "reputation.buildReputation.accountAge.description" to "Los usuarios de Bisq 1 pueden ganar reputación importando la edad de su cuenta de Bisq 1 a Bisq 2.", + "reputation.reputationScore.explanation.ranking.description" to "Clasifica a los usuarios de mayor a menor puntuación.\nComo regla general al comerciar: cuanto mayor sea la clasificación, mayor será la probabilidad de una transacción exitosa.", + "user.bondedRoles.type.MEDIATOR.how.inline" to "un mediador", + "reputation.totalScore" to "Puntuación total", + "user.bondedRoles.registration.requestRegistration" to "Solicitar registro", + "reputation.reputationScore" to "Puntuación de reputación", + "reputation.signedWitness.info" to "Al vincular tu 'testigo de edad de cuenta firmado' de Bisq 1, puedes proporcionar cierto nivel de confianza.\n\nHay expectativas razonables de que un usuario que ha comerciado hace un tiempo en Bisq 1 y ha firmado su cuenta es un usuario honesto. Pero esta expectativa es débil en comparación con otras formas de reputación donde el usuario proporciona más \"inversión en el juego\" con el uso de recursos financieros.", + "user.bondedRoles.headline.roles" to "Roles Vinculados", + "reputation.request.success" to "Solicitud de autorización exitosa al nodo puente de Bisq 1\n\nTus datos de reputación ahora deberían estar disponibles en la red.", + "reputation.bond.score.headline" to "Impacto en la Puntuación de Reputación", + "user.bondedRoles.type.RELEASE_MANAGER.about.inline" to "gestor de lanzamiento", + "reputation.source.BISQ1_ACCOUNT_AGE" to "Edad de cuenta", + "reputation.table.columns.profileAge" to "Edad del perfil", + "reputation.burnedBsq.info" to "Al quemar BSQ, proporcionas evidencia de que invertiste dinero en tu reputación.\nLa transacción de quemar BSQ contiene el hash de la clave pública de tu perfil. En caso de comportamiento malicioso, tu perfil podría ser baneado por mediadores y con eso tu inversión en tu reputación se volvería inútil.", + "reputation.signedWitness.import.step1.instruction" to "Selecciona el perfil de usuario al cual deseas adjuntar la reputación.", + "reputation.signedWitness.totalScore" to "Witness-age in days * weight", + "reputation.table.columns.details.button" to "Mostrar detalles", + "reputation.ranking" to "Clasificación", + "reputation.accountAge.import.step2.profileId" to "ID de perfil (Pegar en la pantalla de cuenta de Bisq 1)", + "reputation.accountAge.infoHeadline2" to "Implicaciones de privacidad", + "user.bondedRoles.registration.how.headline" to "¿Cómo convertirse en {0}?", + "reputation.details.table.columns.lockTime" to "Tiempo de bloqueo", + "reputation.buildReputation.learnMore.link" to "Wiki de Bisq.", + "reputation.reputationScore.explanation.intro" to "La Reputación en Bisq2 se captura en tres elementos:", + "reputation.score.tooltip" to "Puntuación: {0}\nClasificación: {1}", + "user.bondedRoles.cancellation.failed" to "El envío de la solicitud de cancelación falló.\n\n{0}", + "reputation.accountAge.tab3" to "Importar", + "reputation.accountAge.tab2" to "Puntuación", + "reputation.score" to "Puntuación", + "reputation.accountAge.tab1" to "Por qué", + "reputation.accountAge.import.step4.signedMessage" to "Firma el Mensaje desde Bisq 1", + "reputation.request.error" to "La solicitud de autorización ha fallado. Texto del portapapeles:\n{0}", + "reputation.signedWitness.import.step3.instruction1" to "3.1. - Abre Bisq 1 y dirígete a 'CUENTAS/MONEDAS NACIONALES'.", + "user.bondedRoles.type.MEDIATOR.about.info" to "Si hay conflictos en un comercio Bisq Easy, los comerciantes pueden solicitar ayuda de un mediador.\nEl mediador no tiene poder de ejecución y solo puede intentar ayudar a encontrar una resolución cooperativa. En caso de violaciones claras de las reglas comerciales o intentos de estafa, el mediador puede proporcionar información al moderador para prohibir al actor malicioso de la red.\nLos mediadores y árbitros de Bisq 1 pueden convertirse en mediadores de Bisq 2 sin bloquear un nuevo bono de BSQ.", + "reputation.signedWitness.import.step3.instruction3" to "3.3. - Esto generará datos json con una firma de tu ID de Perfil de Bisq 2 y los copiará al portapapeles.", + "user.bondedRoles.table.columns.role" to "Rol", + "reputation.accountAge.import.step1.instruction" to "Selecciona el perfil de usuario para el cual quieres adjuntar la reputación", + "reputation.signedWitness.import.step3.instruction2" to "3.2. - Selecciona la cuenta más antigua y haz clic en 'EXPORTAR TESTIGO FIRMADO PARA BISQ 2'.", + "reputation.accountAge.import.step2.instruction" to "Copiar la ID del perfil a pegar en Bisq 1.", + "reputation.signedWitness.score.info" to "Importar el 'testigo de edad de cuenta firmado' se considera una forma de reputación débil que se representa por el factor de peso. El 'testigo de edad de cuenta firmado' debe tener al menos 61 días y hay un límite de 2000 días para el cálculo de la puntuación.", + "user.bondedRoles.type.SECURITY_MANAGER" to "Gestor de Seguridad", + "reputation.accountAge.import.step4.instruction" to "Pega la firma desde Bisq 1", + "reputation.buildReputation.intro.part1.formula.footnote" to "* Convertido a la moneda utilizada.", + "user.bondedRoles.type.SECURITY_MANAGER.about.inline" to "gestor de seguridad", + "user.bondedRoles.type.MARKET_PRICE_NODE.about.info" to "El nodo de precio de mercado proporciona datos de mercado del agregador de precios de mercado de Bisq.", + "reputation.burnedBsq.score.headline" to "Impacto en la puntuación de reputación", + "user.bondedRoles.type.MODERATOR.about.inline" to "moderador", + "reputation.burnedBsq.infoHeadline" to "Piel en el juego", + "user.bondedRoles.type.ARBITRATOR.about.inline" to "árbitro", + "user.bondedRoles.registration.how.info.node" to "9. Copia el archivo 'default_node_address.json' del directorio de datos del nodo que deseas registrar en tu disco duro y ábrelo con el botón 'Importar dirección del nodo'.\n10. Haz clic en el botón 'Solicitar registro'. Si todo está correcto, tu registro se hará visible en la tabla de Nodos de red registrados.", + "user.bondedRoles.type.MODERATOR" to "Moderador", + "reputation.buildReputation.intro.part2" to "Si un vendedor publica una oferta con un monto no cubierto por su Puntuación de Reputación, el comprador verá una advertencia sobre los riesgos potenciales al aceptar esa oferta.", + "reputation.buildReputation.intro.part1" to "El modelo de seguridad de Bisq Easy se basa en la Reputación del vendedor. Esto se debe a que durante una transacción, el comprador envía primero la cantidad en fiat, por lo tanto, el vendedor necesita proporcionar Reputación para establecer algún nivel de seguridad.\nUn vendedor puede aceptar ofertas hasta la cantidad derivada de su Puntuación de Reputación.\nSe calcula de la siguiente manera:", + "user.bondedRoles.type.SEED_NODE" to "Nodo Semilla", + "reputation.bond.infoHeadline2" to "¿Cuál es la cantidad recomendada y el tiempo de bloqueo?", + "reputation.bond.tab2" to "Puntuación", + "reputation.bond.tab1" to "Por qué", + "reputation" to "Reputación", + "user.bondedRoles.registration.showInfo" to "Mostrar instrucciones", + "reputation.bond.tab3" to "Cómo hacerlo", + "user.bondedRoles.table.columns.isBanned" to "Está prohibido", + "reputation.burnedBsq.totalScore" to "Cantidad de Burned BSQ * peso * (1 + edad / 365)", + "reputation.request" to "Solicitar autorización", + "user.bondedRoles.type.MARKET_PRICE_NODE.how.inline" to "un operador de nodo de precio de mercado", + "reputation.reputationScore.explanation.stars.title" to "Estrellas", + "user.bondedRoles.type.MEDIATOR" to "Mediador", + "reputation.buildReputation" to "Construir reputación", + "reputation.buildReputation.accountAge.title" to "Edad de cuenta", + "reputation.source.BSQ_BOND" to "BSQ en garantías", + "reputation.table.columns.details.popup.headline" to "Detalles de reputación", + "user.bondedRoles.type.RELEASE_MANAGER.about.info" to "Un gestor de lanzamiento puede enviar notificaciones cuando haya una nueva versión disponible.", + "reputation.accountAge.infoHeadline" to "Proporcionar confianza", + "reputation.accountAge.import.step4.title" to "Paso 4", + "user.bondedRoles.type.SEED_NODE.about.inline" to "operador de nodo semilla", + "reputation.sim.burnAmount.prompt" to "Ingrese la cantidad de BSQ", + "reputation.score.formulaHeadline" to "La puntuación de reputación se calcula de la siguiente manera:", + "reputation.buildReputation.accountAge.button" to "Aprende cómo importar la edad de cuenta", + "reputation.signedWitness.tab2" to "Puntuación", + "reputation.signedWitness.tab1" to "Por qué", + "reputation.table.columns.reputation" to "Reputación", + "user.bondedRoles.verification.howTo.instruction" to "1. Abre Bisq 1 y ve a 'DAO/Bonding/Roles vinculados' y selecciona el rol por el nombre de usuario del bono y el tipo de rol.\n2. Haz clic en el botón de verificar, copia el ID de perfil y pégalo en el campo de mensaje.\n3. Copia la firma y pégala en el campo de firma en Bisq 1.\n4. Haz clic en el botón de verificar. Si la verificación de la firma tiene éxito, el rol vinculado es válido.", + "reputation.signedWitness.tab3" to "Cómo hacerlo", + "reputation.buildReputation.title" to "¿Cómo pueden los vendedores aumentar su Reputación?", + "reputation.buildReputation.bsqBond.button" to "Aprende cómo poner en garantía BSQ", + "reputation.burnedBsq.infoHeadline2" to "¿Cuál es la cantidad recomendada para quemar?", + "reputation.signedWitness.import.step4.signedMessage" to "Datos json de Bisq 1", + "reputation.buildReputation.burnBsq.button" to "Aprende cómo quemar BSQ", + "reputation.accountAge.score.info" to "Importar la 'edad de la cuenta' se considera una forma de reputación bastante débil que se representa por el factor de peso bajo.\nHay un límite de 2000 días para el cálculo de la puntuación.", + "reputation.reputationScore.intro" to "En esta sección se explica la Reputación de Bisq para que puedas tomar decisiones informadas al aceptar una oferta.", + "user.bondedRoles.registration.bondHolderName" to "Nombre de usuario del titular del bono", + "user.bondedRoles.type.SEED_NODE.about.info" to "Un nodo semilla proporciona direcciones de red de participantes de la red para el arranque en la red P2P de Bisq 2.\nEsto es esencial en el primer inicio ya que en ese momento el nuevo usuario aún no tiene datos persistidos para conectarse a otros pares.\nTambién proporciona datos de la red P2P como mensajes de chat al usuario que se conecta recientemente. Ese servicio de entrega de datos también lo realiza cualquier otro nodo de red, aunque como los nodos semilla tienen disponibilidad 24/7 y un alto nivel de calidad de servicio, proporcionan más estabilidad y mejor rendimiento, lo que lleva a una mejor experiencia de arranque.\nLos operadores de nodo semilla de Bisq 1 pueden convertirse en operadores de nodo semilla de Bisq 2 sin bloquear un nuevo bono de BSQ.", + "reputation.table.headline" to "Clasificación de reputación", + "user.bondedRoles.type.SECURITY_MANAGER.how.inline" to "un gestor de seguridad", + "reputation.buildReputation.bsqBond.description" to "Similar a quemar BSQ, pero utilizando bonos de BSQ reembolsables.\nBSQ debe estar en garantías durante un mínimo de 50,000 bloques (aproximadamente 1 año).", + "user.bondedRoles.registration.node.addressInfo.prompt" to "Importe el archivo 'default_node_address.json' del directorio de datos del nodo.", + "user.bondedRoles.registration.node.privKey" to "Clave privada", + "user.bondedRoles.registration.headline" to "Solicitar registro", + "reputation.sim.lockTime" to "Tiempo de bloqueo en bloques", + "reputation.bond" to "Bonos BSQ", + "user.bondedRoles.registration.signature.prompt" to "Pegue la firma de su rol vinculado", + "reputation.buildReputation.burnBsq.title" to "Quemar BSQ", + "user.bondedRoles.table.columns.node.address" to "Dirección", + "reputation.reputationScore.explanation.score.title" to "Puntuación", + "user.bondedRoles.type.MARKET_PRICE_NODE" to "Nodo de Precio de Mercado", + "reputation.bond.info2" to "El tiempo de bloqueo debe ser de al menos 50,000 bloques, lo que equivale a aproximadamente 1 año, para ser considerado un bono válido. La cantidad puede ser elegida por el usuario y determinará el ranking frente a otros vendedores. Los vendedores con la puntuación de reputación más alta tendrán mejores oportunidades de comercio y podrán obtener un precio premium más alto. Las mejores ofertas clasificadas por reputación se promoverán en la selección de ofertas en el 'Asistente de Comercio'.", + "reputation.accountAge.info2" to "Vincular tu cuenta de Bisq 1 con Bisq 2 tiene algunas implicaciones en tu privacidad. Para verificar tu 'edad de cuenta', tu identidad de Bisq 1 se vincula criptográficamente con tu ID de perfil de Bisq 2.\nSin embargo, la exposición está limitada al 'nodo puente de Bisq 1', que es operado por un colaborador de Bisq que ha establecido un bono de BSQ (rol vinculado).\n\nLa edad de la cuenta es una alternativa para aquellos que no quieren utilizar BSQ quemado o bonos de BSQ debido al costo financiero. La 'edad de la cuenta' debe ser de al menos varios meses para reflejar cierto nivel de confianza.", + "reputation.signedWitness.score.headline" to "Impacto en la puntuación de reputación", + "reputation.accountAge.info" to "Al vincular la 'edad de tu cuenta' de Bisq 1, puedes proporcionar cierto nivel de confianza.\n\nHay expectativas razonables de que un usuario que ha utilizado Bisq durante algún tiempo es un usuario honesto. Pero esta expectativa es débil en comparación con otras formas de reputación donde el usuario proporciona una prueba más fuerte con el uso de algunos recursos financieros.", + "reputation.reputationScore.closing" to "Para más detalles sobre cómo un vendedor ha construido su Reputación, consulta la sección 'Ranking' y haz clic en 'Mostrar detalles' en el usuario.", + "user.bondedRoles.cancellation.success" to "La solicitud de cancelación se envió con éxito. Verá en la tabla a continuación si la solicitud de cancelación fue verificada con éxito y el rol eliminado por el nodo oráculo.", + "reputation.buildReputation.intro.part1.formula.output" to "Cantidad máxima de comercio en USD *", + "reputation.buildReputation.signedAccount.title" to "Testigo firmado de antigüedad", + "reputation.signedWitness.infoHeadline" to "Proporcionar confianza", + "user.bondedRoles.type.EXPLORER_NODE.about.info" to "El nodo explorador de blockchain se utiliza en Bisq Easy para la búsqueda de transacciones de Bitcoin.", + "reputation.buildReputation.signedAccount.description" to "Los usuarios de Bisq 1 pueden ganar Reputación importando la Edad de cuenta firmada de Bisq 1 a Bisq 2.", + "reputation.burnedBsq.score.info" to "Quemar BSQ se considera la forma más fuerte de Reputación, que se representa mediante un alto factor de peso. Se aplica un aumento basado en el tiempo durante el primer año, aumentando gradualmente la Puntuación de Reputación hasta el doble de su valor inicial.", + "reputation.accountAge" to "Edad de la cuenta", + "reputation.burnedBsq.howTo" to "1. Selecciona el perfil de usuario al que deseas adjuntar la reputación.\n2. Copia el 'ID de perfil'\n3. Abre Bisq 1 y ve a 'DAO/PRUEBA DE QUEMA' y pega el valor copiado en el campo 'pre-imagen'.\n4. Introduce la cantidad de BSQ que deseas quemar.\n5. Publica la transacción de quemar BSQ.\n6. Después de la confirmación en la cadena de bloques, tu reputación se hará visible en tu perfil.", + "user.bondedRoles.type.ARBITRATOR.how.inline" to "un árbitro", + "user.bondedRoles.type.RELEASE_MANAGER" to "Gestor de Lanzamiento", + "reputation.bond.info" to "Al establecer un BSQ en garantías, proporcionas evidencia de que has bloqueado dinero para ganar reputación.\nLa transacción de la garantía BSQ contiene el hash de la clave pública de tu perfil. En caso de comportamiento malicioso, tu garantía podría ser confiscada por la DAO y tu perfil podría ser prohibido.", + "reputation.weight" to "Peso", + "reputation.buildReputation.bsqBond.title" to "BSQ en garantías", + "reputation.sim.age" to "Edad en días", + "reputation.burnedBsq.howToHeadline" to "Proceso para quemar BSQ", + "reputation.bond.howToHeadline" to "Proceso para configurar un BSQ en garantías", + "reputation.sim.age.prompt" to "Ingresa la edad en días", + "user.bondedRoles.type.SECURITY_MANAGER.about.info" to "Un gestor de seguridad puede enviar un mensaje de alerta en caso de situaciones de emergencia.", + "reputation.bond.score.info" to "Configurar un bono de BSQ se considera una forma sólida de Reputación. El tiempo de bloqueo debe ser de al menos: 50 000 bloques (aproximadamente 1 año). Se aplica un aumento basado en el tiempo durante el primer año, aumentando gradualmente la puntuación hasta el doble de su valor inicial.", + "reputation.signedWitness" to "Testigo firmado de antigüedad", + "user.bondedRoles.registration.about.headline" to "Acerca del rol de {0}", + "user.bondedRoles.registration.hideInfo" to "Ocultar instrucciones", + "reputation.source.BURNED_BSQ" to "BSQ quemado", + "reputation.buildReputation.learnMore" to "Aprende más sobre el sistema de reputación de Bisq en el", + "reputation.reputationScore.explanation.stars.description" to "Esta es una representación gráfica de la puntuación. Consulta la tabla de conversión a continuación para ver cómo se calculan las estrellas.\nSe recomienda comerciar con vendedores que tengan el mayor número de estrellas.", + "reputation.burnedBsq.tab1" to "Por qué", + "reputation.burnedBsq.tab3" to "Cómo hacerlo", + "reputation.burnedBsq.tab2" to "Puntuación", + "user.bondedRoles.registration.node.addressInfo" to "Datos de dirección del nodo", + "reputation.buildReputation.signedAccount.button" to "Aprende cómo importar cuenta firmada", + "user.bondedRoles.type.ORACLE_NODE.about.info" to "El nodo oráculo se utiliza para proporcionar datos de Bisq 1 y DAO para casos de uso de Bisq 2 como la reputación.", + "reputation.buildReputation.intro.part1.formula.input" to "Puntuación de reputación", + "reputation.signedWitness.import.step2.title" to "Paso 2", + "reputation.table.columns.reputationScore" to "Puntuación de reputación", + "user.bondedRoles.table.columns.node.address.openPopup" to "Abrir popup de datos de dirección", + "reputation.sim.lockTime.prompt" to "Ingrese el tiempo de bloqueo", + "reputation.sim.score" to "Puntuación total", + "reputation.accountAge.import.step3.title" to "Paso 3", + "reputation.signedWitness.info2" to "Vincular tu cuenta de Bisq 1 con Bisq 2 tiene algunas implicaciones en tu privacidad. Para verificar tu 'testigo de edad de cuenta firmado', tu identidad de Bisq 1 se vincula criptográficamente con tu ID de perfil de Bisq 2.\nSin embargo, la exposición está limitada al 'nodo puente de Bisq 1' que es operado por un colaborador de Bisq que ha establecido un bono de BSQ (rol vinculado).\n\nEl testigo de edad de cuenta firmado es una alternativa para aquellos que no quieren usar BSQ quemado o bonos de BSQ debido a la carga financiera. El 'testigo de edad de cuenta firmado' debe tener al menos 61 días para ser considerado para la reputación.", + "user.bondedRoles.type.RELEASE_MANAGER.how.inline" to "un gestor de lanzamiento", + "user.bondedRoles.table.columns.oracleNode" to "Nodo oráculo", + "reputation.accountAge.import.step2.title" to "Paso 2", + "user.bondedRoles.type.MODERATOR.about.info" to "Los usuarios del chat pueden reportar violaciones de las reglas del chat o comercio al moderador.\nEn caso de que la información proporcionada sea suficiente para verificar una violación de las reglas, el moderador puede prohibir a ese usuario de la red.\nEn caso de violaciones graves de un vendedor que haya ganado algún tipo de reputación, la reputación se invalida y los datos de origen relevantes (como la transacción DAO o los datos de edad de la cuenta) serán incluidos en la lista negra en Bisq 2 y reportados a Bisq 1 por el operador del oráculo y el usuario también será prohibido en Bisq 1.", + "reputation.source.PROFILE_AGE" to "Edad del perfil", + "reputation.bond.howTo" to "1. Selecciona el perfil de usuario al que deseas adjuntar la reputación.\n2. Copia el 'ID de perfil'\n3. Abre Bisq 1 y ve a 'DAO/ GARANTÍA/ REPUTACIÓN EN GARANTÍA' y pega el valor copiado en el campo 'sal'.\n4. Ingresa la cantidad de BSQ que deseas bloquear y el tiempo de bloqueo (50,000 bloques).\n5. Publica la transacción de bloqueo.\n6. Después de la confirmación de la blockchain, tu reputación será visible en tu perfil.", + "reputation.table.columns.details" to "Detalles", + "reputation.details.table.columns.score" to "Puntuación", + "reputation.bond.infoHeadline" to "Interés en el juego", + "user.bondedRoles.registration.node.showKeyPair" to "Ver claves", + "user.bondedRoles.table.columns.userProfile.defaultNode" to "Operador de nodo con clave proporcionada estáticamente", + "reputation.signedWitness.import.step1.title" to "Paso 1", + "user.bondedRoles.type.MODERATOR.how.inline" to "un moderador", + "user.bondedRoles.cancellation.requestCancellation" to "Solicitar cancelación", + "user.bondedRoles.verification.howTo.nodes" to "Cómo verificar un nodo de red?", + "user.bondedRoles.registration.how.info" to "1. Selecciona el perfil de usuario que deseas usar para el registro y crea una copia de seguridad de tu directorio de datos.\n3. Haz una propuesta en 'https://github.com/bisq-network/proposals' para convertirte en {0} y añade tu ID de perfil a la propuesta.\n4. Después de que tu propuesta sea revisada y reciba apoyo de la comunidad, haz una propuesta DAO para un rol vinculado.\n5. Después de que tu propuesta DAO sea aceptada en la votación DAO, bloquea el bono BSQ requerido.\n6. Después de que tu transacción de bono sea confirmada, ve a 'DAO/Bonding/Roles vinculados' en Bisq 1 y haz clic en el botón de firmar para abrir la ventana emergente de firma.\n7. Copia el ID de perfil y pégalo en el campo de mensaje. Haz clic en firmar y copia la firma. Pega la firma en el campo de firma de Bisq 2.\n8. Introduce el nombre de usuario del titular del bono.\n{1}", + "reputation.accountAge.score.headline" to "Impacto en la puntuación de reputación", + "user.bondedRoles.table.columns.userProfile" to "Perfil de usuario", + "reputation.accountAge.import.step1.title" to "Paso 1", + "reputation.signedWitness.import.step3.title" to "Paso 3", + "user.bondedRoles.registration.profileId" to "ID de perfil", + "user.bondedRoles.type.ARBITRATOR" to "Árbitro", + "user.bondedRoles.type.ORACLE_NODE.how.inline" to "un operador de nodo oráculo", + "reputation.pubKeyHash" to "ID de Perfil", + "reputation.reputationScore.sellerReputation" to "La Reputación de un vendedor es la mejor señal\nto predecir la probabilidad de un comercio exitoso en Bisq Easy.", + "user.bondedRoles.table.columns.signature" to "Firma", + "user.bondedRoles.registration.node.pubKey" to "Clave pública", + "user.bondedRoles.type.EXPLORER_NODE.about.inline" to "operador de nodo explorador", + "user.bondedRoles.table.columns.profileId" to "ID de perfil", + "user.bondedRoles.type.MARKET_PRICE_NODE.about.inline" to "operador de nodo de precio de mercado", + "reputation.source.BISQ1_SIGNED_ACCOUNT_AGE_WITNESS" to "Signed witness", + "reputation.accountAge.import.step3.instruction1" to "3.1. - Abre Bisq 1 y ve a 'CUENTAS/CUENTAS DE MONEDA NACIONAL'.", + "reputation.accountAge.import.step3.instruction2" to "3.2. - Selecciona la cuenta más antigua y clicka 'EXPORTAR CUENTA'.", + "reputation.accountAge.import.step3.instruction3" to "3.3. - Esto añadirá un mensaje firmado para el perfil de ID de Bisq 2.", + "user.bondedRoles.table.columns.node.address.popup.headline" to "Datos de dirección del nodo", + "reputation.reputationScore.explanation.score.description" to "Esta es la puntuación total que un vendedor ha acumulado hasta ahora.\nLa puntuación se puede aumentar de varias maneras. La mejor forma de hacerlo es quemando o poniendo en garantía BSQ. Esto significa que el vendedor ha puesto un capital por adelantado y, como resultado, puede ser considerado como confiable.\nSe puede encontrar más información sobre cómo aumentar la puntuación en la sección 'Construir reputación'.\nSe recomienda comerciar con vendedores que tengan la puntuación más alta.", + "reputation.details.table.columns.source" to "Tipo", + "reputation.sim.burnAmount" to "Cantidad de BSQ", + "reputation.buildReputation.burnBsq.description" to "Esta es la forma más fuerte de reputación.\nLa puntuación obtenida al quemar BSQ se duplica durante el primer año.", + "user.bondedRoles.registration.failed" to "El envío de la solicitud de registro falló.\n\n{0}", + "user.bondedRoles.type.ORACLE_NODE" to "Nodo Oráculo", + "user.bondedRoles.table.headline.nodes" to "Nodos de red registrados", + "user.bondedRoles.headline.nodes" to "Nodos de Red", + "user.bondedRoles.registration.bondHolderName.prompt" to "Introduzca el nombre de usuario del titular del bono de Bisq 1", + "reputation.burnedBsq.info2" to "Eso será determinado por la competencia de los vendedores. Los vendedores con la puntuación de reputación más alta tendrán mejores oportunidades de comercio y pueden obtener un mayor margen de precio. Las mejores ofertas clasificadas por reputación se promocionarán en la selección de ofertas en el 'Asistente de comercio'.\n\nLos compradores solo pueden tomar ofertas de vendedores con una puntuación de reputación de al menos 30 000. Este es el valor predeterminado y puede ser cambiado en las preferencias.\n\nSi quemar BSQ es indeseable, considera las otras opciones disponibles para acumular reputación.", + "reputation.reputationScore.explanation.ranking.title" to "Clasificación", + "reputation.sim.headline" to "Herramienta de simulación:", + "reputation.accountAge.totalScore" to "Edad de la cuenta en días * peso", + "user.bondedRoles.table.columns.node" to "Nodo", + "user.bondedRoles.verification.howTo.roles" to "Cómo verificar un rol vinculado?", + "reputation.signedWitness.import.step2.profileId" to "ID del perfil (Pegar en la pantalla de cuenta en Bisq 1)", + "reputation.bond.totalScore" to "Cantidad de BSQ * peso * (1 + edad / 365)", + "user.bondedRoles.type.ORACLE_NODE.about.inline" to "operador de nodo oráculo", + "reputation.table.columns.userProfile" to "Perfil de usuario", + "user.bondedRoles.registration.signature" to "Firma", + "reputation.table.columns.livenessState" to "Visto por última vez", + "user.bondedRoles.table.headline.roles" to "Roles vinculados registrados", + "reputation.signedWitness.import.step4.title" to "Paso 4", + "user.bondedRoles.type.EXPLORER_NODE" to "Nodo Explorador", + "user.bondedRoles.type.MEDIATOR.about.inline" to "mediador", + "user.bondedRoles.type.EXPLORER_NODE.how.inline" to "un operador de nodo explorador", + "user.bondedRoles.registration.success" to "La solicitud de registro se envió con éxito. Verá en la tabla a continuación si el registro fue verificado y publicado con éxito por el nodo oráculo.", + "reputation.signedWitness.infoHeadline2" to "Implicaciones de privacidad", + "user.bondedRoles.type.SEED_NODE.how.inline" to "un operador de nodo semilla", + "reputation.buildReputation.headline" to "Construir reputación", + "reputation.reputationScore.headline" to "Puntuación de reputación", + "user.bondedRoles.registration.node.importAddress" to "Importar nodo", + "user.bondedRoles.registration.how.info.role" to "9. Haz clic en el botón 'Solicitar registro'. Si todo está correcto, tu registro se hará visible en la tabla de Roles vinculados registrados.", + "user.bondedRoles.table.columns.bondUserName" to "Nombre de usuario del bono", + ), + "chat" to mapOf( + "chat.message.wasEdited" to "(editado)", + "support.support.description" to "Canal para Soporte", + "chat.sideBar.userProfile.headline" to "Perfil de usuario", + "chat.message.reactionPopup" to "reaccionó con", + "chat.listView.scrollDown" to "Bajar", + "chat.message.privateMessage" to "Enviar mensaje privado", + "chat.notifications.offerTaken.message" to "ID de la transacción: {0}", + "discussion.bisq.description" to "Canal público para charlar", + "chat.reportToModerator.info" to "Por favor, familiarízate con las reglas de compra-venta y asegúrate de que la razón para denunciar sea considerada una violación de esas reglas.\nPuedes leer las reglas de comercio y las reglas del chat haciendo clic en el icono de interrogación en la esquina superior derecha de las pantallas del chat.", + "chat.notificationsSettingsMenu.all" to "Todos los mensajes", + "chat.message.deliveryState.ADDED_TO_MAILBOX" to "Mensaje entregado al buzón del usuario", + "chat.channelDomain.SUPPORT" to "Soporte", + "chat.sideBar.userProfile.ignore" to "Ignorar", + "chat.sideBar.channelInfo.notifications.off" to "Ninguna", + "support.support.title" to "Soporte", + "discussion.bitcoin.title" to "Bitcoin", + "chat.ignoreUser.warn" to "Seleccionar 'Ignorar usuario' ocultará todos los mensajes de este usuario.\n\nEsta acción tendrá efecto la próxima vez que entres al chat.\n\nSi quieres deshacer esta acción, ve al menú más opciones > Información del canal > Participantes y selecciona 'Dejar de ignorar' al lado del usuario.", + "events.meetups.description" to "Canal para anuncios de meetups", + "chat.message.deliveryState.FAILED" to "Error al enviar el mensaje", + "chat.sideBar.channelInfo.notifications.all" to "Todos los mensajes", + "discussion.bitcoin.description" to "Canal para charlar sobre Bitcoin", + "chat.message.input.prompt" to "Escribe un nuevo mensaje", + "chat.channelDomain.BISQ_EASY_OFFERBOOK" to "Bisq Easy", + "chat.message.takeOffer.buyer.makersReputationScoreTooLow.no" to "No, busco otra oferta", + "chat.ellipsisMenu.tradeGuide" to "Guía de compra-venta", + "chat.chatRules.content" to "- Sé respetuoso: Trata a los demás con amabilidad, evita el lenguaje ofensivo, los ataques personales y el acoso.- Sé tolerante: Mantén una mente abierta y acepta que otros pueden tener opiniones, culturas y experiencias diferentes.- No hagas spam: Evita inundar el chat con mensajes repetitivos o irrelevantes.- No hagas publicidad: Evita promover productos comerciales, servicios o enlaces promocionales.- No seas provocador: El comportamiento disruptivo y la provocación intencional no son bienvenidos.- No te hagas pasar por otra persona: No uses apodos que induzcan a otros a pensar que eres una persona conocida.- Respeta la privacidad: Protege tu privacidad y la de los demás; no compartas detalles de las transacciones.- Informa de comportamientos inadecuados: Informa sobre violaciones de las reglas o comportamientos inapropiados al moderador.- Disfruta del chat: Participa en discusiones interesantes, haz amigos y diviértete en una comunidad amigable e inclusiva.\n\nAl participar en el chat, aceptas seguir estas reglas.\nLas violaciones graves de las reglas pueden resultar en expulsión de la red Bisq.", + "chat.messagebox.noChats.placeholder.description" to "Únete a la discusión en {0} para compartir tus ideas y hacer preguntas.", + "chat.channelDomain.BISQ_EASY_OPEN_TRADES" to "Compra-venta Bisq Easy", + "chat.message.deliveryState.MAILBOX_MSG_RECEIVED" to "El usuario ha descargado el mensaje de su buzón", + "chat.message.takeOffer.buyer.makersReputationScoreTooLow.warning" to "La Puntuación de Reputación del vendedor de {0} está por debajo de la puntuación requerida de {1} para un monto de comercio de {2}.\n\nEl modelo de seguridad de Bisq Easy se basa en la reputación del vendedor, ya que el comprador debe Enviar la moneda fiduciaria primero. Si decides continuar y aceptar la oferta a pesar de la falta de reputación, asegúrate de entender completamente los riesgos involucrados.\n\nPara aprender más sobre el sistema de reputación, visita: [HYPERLINK:https://bisq.wiki/Reputación].\n\n¿Quieres continuar y aceptar esa oferta?", + "chat.message.input.send" to "Enviar mensaje", + "chat.message.send.offerOnly.warn" to "Tienes seleccionada la opción 'Solo ofertas'. Los mensajes de texto normales no se mostrarán en ese modo.\n\n¿Quieres cambiar el modo para ver todos los mensajes?", + "chat.notificationsSettingsMenu.title" to "Opciones de notificación:", + "chat.notificationsSettingsMenu.globalDefault" to "Notificaciones por defecto", + "chat.privateChannel.message.leave" to "{0} ha salido del chat", + "chat.channelDomain.BISQ_EASY_PRIVATE_CHAT" to "Bisq Easy", + "chat.sideBar.userProfile.profileAge" to "Antigüedad del perfil", + "events.tradeEvents.description" to "Canal para anuncios de eventos de intercambio", + "chat.sideBar.userProfile.mention" to "Mencionar", + "chat.notificationsSettingsMenu.off" to "Ninguna", + "chat.private.leaveChat.confirmation" to "¿Estás seguro de que quieres abandonar este chat?\nPerderás acceso al chat y toda la información del chat.", + "chat.reportToModerator.message.prompt" to "Introducir el mensaje al moderador", + "chat.message.resendMessage" to "Haz click para reenviar el mensaje.", + "chat.reportToModerator.headline" to "Denunciar al moderador", + "chat.sideBar.userProfile.livenessState" to "Última actividad del usuario", + "chat.privateChannel.changeUserProfile.warn" to "Estás en un canal de chat privado que se creó con el perfil de usuario ''{0}''.\n\nNo puedes cambiar el perfil de usuario mientras estás en ese canal de chat.", + "chat.message.contextMenu.ignoreUser" to "Ignorar usuario", + "chat.message.contextMenu.reportUser" to "Denunciar sobre el usuario al moderador", + "chat.leave.info" to "Vas a salir del chat", + "chat.messagebox.noChats.placeholder.title" to "¡Inicia la conversación!", + "support.questions.description" to "Canal para soporte en compra-ventas", + "chat.message.deliveryState.CONNECTING" to "Conectando con usuario", + "chat.message.takeOffer.buyer.makersReputationScoreTooLow.yes" to "Sí, entiendo el riesgo y quiero continuar", + "discussion.markets.title" to "Mercados", + "chat.notificationsSettingsMenu.tooltip" to "Opciones de notificación", + "chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.warning" to "La Puntuación de Reputación del vendedor es {0}, que está por debajo de la puntuación requerida de {1} para un monto de comercio de {2}.\n\nDado que el monto de comercio es relativamente bajo, se han relajado los requisitos de reputación. Sin embargo, si decides continuar a pesar de la reputación insuficiente del vendedor, asegúrate de comprender completamente los riesgos asociados. El modelo de seguridad de Bisq Easy depende de la reputación del vendedor, ya que se requiere que el comprador Envíe primero la moneda fiduciaria.\n\nPara aprender más sobre el sistema de reputación, visita: [HYPERLINK:https://bisq.wiki/Reputación].\n\n¿Aún deseas aceptar la oferta?", + "chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.yes" to "Sí, entiendo el riesgo y quiero continuar", + "chat.message.supportedLanguages" to "Idiomas admitidos:", + "chat.sideBar.userProfile.totalReputationScore" to "Puntuación total de reputación", + "chat.topMenu.chatRules.tooltip" to "Abrir reglas del chat", + "support.reports.description" to "Canal para informar de fraudes", + "events.podcasts.title" to "Podcasts", + "chat.sideBar.userProfile.statement" to "Declaración", + "chat.sideBar.userProfile.sendPrivateMessage" to "Enviar mensaje privado", + "chat.sideBar.userProfile.undoIgnore" to "Dejar de ignorar", + "chat.channelDomain.DISCUSSION" to "Charlas", + "chat.message.delete.differentUserProfile.warn" to "Este mensaje de chat fue creado con otro perfil de usuario.\n\n¿Quieres eliminar el mensaje?", + "chat.message.moreOptions" to "Más opciones", + "chat.private.messagebox.noChats.title" to "{0} chats privados", + "chat.reportToModerator.report" to "Denunciar al moderador", + "chat.message.deliveryState.ACK_RECEIVED" to "Recepción confirmada", + "events.tradeEvents.title" to "Intercambiar", + "discussion.bisq.title" to "Charlas", + "chat.private.messagebox.noChats.placeholder.title" to "No tienes conversaciones en curso", + "chat.sideBar.userProfile.id" to "ID de usuario", + "chat.sideBar.userProfile.transportAddress" to "Dirección de transporte", + "chat.sideBar.userProfile.version" to "Versión", + "chat.listView.scrollDown.newMessages" to "Bajar para leer nuevos mensajes", + "chat.sideBar.userProfile.nym" to "ID del bot", + "chat.message.takeOffer.seller.myReputationScoreTooLow.warning" to "Tu Puntuación de Reputación es {0} y está por debajo de la Puntuación de Reputación requerida de {1} para el monto de la transacción de {2}.\n\nEl modelo de seguridad de Bisq Easy se basa en la reputación del vendedor.\nPara aprender más sobre el sistema de reputación, visita: [HYPERLINK:https://bisq.wiki/Reputación].\n\nPuedes leer más sobre cómo aumentar tu reputación en ''Reputación/Construir Reputación''.", + "chat.private.messagebox.noChats.placeholder.description" to "Para chatear de manera privada con otro usario, pasa el cursor sobre su mensaje en un\nchat público y haz clic en 'Enviar mensaje privado'.", + "chat.message.takeOffer.seller.myReputationScoreTooLow.headline" to "Tu Puntuación de Reputación es demasiado baja para aceptar esa oferta", + "chat.sideBar.channelInfo.participants" to "Participantes", + "events.podcasts.description" to "Canal para anuncios de podcasts", + "chat.message.deliveryState.SENT" to "Mensaje enviado (sin confirmación de recepción).", + "chat.message.offer.offerAlreadyTaken.warn" to "Ya has tomado esa oferta.", + "chat.message.supportedLanguages.Tooltip" to "Idiomas admitidos", + "chat.ellipsisMenu.channelInfo" to "Información del canal", + "discussion.markets.description" to "Canal para charlar sobre mercados y precios", + "chat.topMenu.tradeGuide.tooltip" to "Abrir guía de compra-venta", + "chat.sideBar.channelInfo.notifications.mention" to "Si se menciona", + "chat.message.send.differentUserProfile.warn" to "Has utilizado otro perfil de usuario en ese canal.\n\n¿Estás seguro de que deseas enviar ese mensaje con el perfil de usuario actualmente seleccionado?", + "events.meetups.title" to "Meetups", + "chat.message.citation.headline" to "Respondiendo a:", + "chat.notifications.offerTaken.title" to "Tu oferta fue tomada por {0}", + "chat.message.takeOffer.buyer.makersReputationScoreTooLow.headline" to "Advertencia de seguridad", + "chat.ignoreUser.confirm" to "Ignorar usuario", + "chat.chatRules.headline" to "Reglas del chat", + "discussion.offTopic.description" to "Canal para charlas fuera de tema", + "chat.leave.confirmLeaveChat" to "Salir del chat", + "chat.sideBar.channelInfo.notifications.globalDefault" to "Notificaciones por defecto", + "support.reports.title" to "Denunciar", + "chat.message.reply" to "Responder", + "support.questions.title" to "Soporte", + "chat.sideBar.channelInfo.notification.options" to "Opciones de notificación", + "chat.reportToModerator.message" to "Mensaje al moderador", + "chat.sideBar.userProfile.terms" to "Términos de compra-venta", + "chat.leave" to "Haz click aquí para salir", + "chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.headline" to "Por favor, revisa los riesgos al aceptar esa oferta", + "events.conferences.description" to "Canal para anuncios de conferencias", + "discussion.offTopic.title" to "Fuera de tema", + "chat.ellipsisMenu.chatRules" to "Reglas de chat", + "chat.notificationsSettingsMenu.mention" to "Si me mencionan", + "events.conferences.title" to "Conferencias", + "chat.ellipsisMenu.tooltip" to "Más opciones", + "chat.private.openChatsList.headline" to "Usuarios del chat", + "chat.notifications.privateMessage.headline" to "Mensaje privado", + "chat.channelDomain.EVENTS" to "Eventos", + "chat.sideBar.userProfile.report" to "Informar al moderador", + "chat.message.deliveryState.TRY_ADD_TO_MAILBOX" to "Intentando dejar mensaje en el buzón del usuario", + "chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.no" to "No, busco otra oferta", + "chat.private.title" to "Chats privados", + ), + "support" to mapOf( + "support.resources.guides.headline" to "Guías", + "support.resources.resources.community" to "Comunidad de Bisq en Matrix", + "support.resources.backup.headline" to "Respaldo", + "support.resources.backup.setLocationButton" to "Establecer ubicación de respaldo", + "support.resources.resources.contribute" to "Cómo contribuir a Bisq", + "support.resources.backup.location.prompt" to "Establecer ubicación de respaldo", + "support.resources.legal.license" to "Licencia de software (AGPLv3)", + "support.resources" to "Recursos", + "support.resources.backup.backupButton" to "Respaldo del directorio de datos de Bisq", + "support.resources.backup.destinationNotExist" to "El destino de respaldo ''{0}'' no existe", + "support.resources.backup.selectLocation" to "Seleccionar ubicación de respaldo", + "support.resources.backup.location.invalid" to "La ruta de ubicación de respaldo es inválida", + "support.resources.legal.headline" to "Legal", + "support.resources.resources.webpage" to "Página web de Bisq", + "support.resources.guides.chatRules" to "Abrir reglas de chat", + "support.resources.backup.location" to "Ubicación de respaldo", + "support.resources.localData.openTorLogFile" to "Abrir archivo 'debug.log' de Tor", + "support.resources.legal.tac" to "Abrir acuerdo de usuario", + "support.resources.localData.headline" to "Datos locales", + "support.resources.backup.success" to "Respaldo guardado exitosamente en:\n{0}", + "support.resources.backup.location.help" to "El respaldo no está encriptado", + "support.resources.localData.openDataDir" to "Abrir directorio de datos de Bisq", + "support.resources.resources.dao" to "Acerca de la DAO de Bisq", + "support.resources.resources.sourceCode" to "Repositorio de código fuente en GitHub", + "support.resources.resources.headline" to "Recursos web", + "support.resources.localData.openLogFile" to "Abrir archivo 'bisq.log'", + "support.resources.guides.tradeGuide" to "Abrir guía de intercambio", + "support.resources.guides.walletGuide" to "Abrir guía de la cartera", + "support.assistance" to "Asistencia", + ), + "user" to mapOf( + "user.password.savePassword.success" to "Protección de contraseña activada.", + "user.bondedRoles.userProfile.select.invalid" to "Por favor, elija un perfil de usuario de la lista", + "user.paymentAccounts.noAccounts.whySetup" to "¿Por qué es útil configurar una cuenta?", + "user.paymentAccounts.deleteAccount" to "Eliminar cuenta de pago", + "user.userProfile.terms.tooLong" to "Los términos de compra-venta no deben ocupar más de {0} caracteres", + "user.password.enterPassword" to "Introduce la contraseña (mín. 8 caracteres)", + "user.userProfile.statement.tooLong" to "El estado no debe tener más de {0} caracteres", + "user.paymentAccounts.createAccount.subtitle" to "La cuenta de pago se almacena exclusivamente localmente en tu ordenador y se comparte con tu contraparte solo si tú decides compartirlos.", + "user.password.confirmPassword" to "Confirmar contraseña", + "user.userProfile.popup.noSelectedProfile" to "Por favor, elija un perfil de usuario de la lista", + "user.userProfile.statement.prompt" to "Introduzca un estado opcional", + "user.userProfile.comboBox.description" to "Perfil de usuario", + "user.userProfile.save.popup.noChangesToBeSaved" to "No hay cambios nuevos que guardar", + "user.userProfile.livenessState" to "Última actividad del usuario: hace {0}", + "user.userProfile.statement" to "Estado", + "user.paymentAccounts.accountData" to "Información de la cuenta de pago", + "user.paymentAccounts.createAccount" to "Crear nueva cuenta de pago", + "user.paymentAccounts.noAccounts.whySetup.info" to "Cuando vendes Bitcoin, necesitas proporcionar tus datos de cuenta de pago al comprador para recibir el pago en Fiat. Configurar cuentas con anticipación permite un acceso rápido y conveniente a esta información durante la compra-venta.", + "user.userProfile.deleteProfile" to "Eliminar perfil", + "user.userProfile.reputation" to "Reputación", + "user.userProfile.learnMore" to "¿Por qué crear un nuevo perfil?", + "user.userProfile.terms" to "Términos de compra-venta", + "user.userProfile.deleteProfile.popup.warning" to "¿Realmente deseas eliminar {0}? Esta operación no se puede deshacer.", + "user.paymentAccounts.createAccount.sameName" to "Este nombre de cuenta ya está en uso. Por favor, usa un nombre diferente.", + "user.userProfile" to "Perfil de usuario", + "user.password" to "Contraseña", + "user.userProfile.nymId" to "ID de Bot", + "user.paymentAccounts" to "Cuentas de pago", + "user.paymentAccounts.createAccount.accountData.prompt" to "Introduce la información de la cuenta de pago (por ejemplo, datos bancarios) que quieres compartir con un posible comprador de Bitcoin para que puedan transferirte el importe en moneda nacional.", + "user.paymentAccounts.headline" to "Tus cuentas de pago", + "user.userProfile.addressByTransport.I2P" to "Dirección I2P: {0}", + "user.userProfile.livenessState.description" to "Última actividad del usuario", + "user.paymentAccounts.selectAccount" to "Seleccionar cuenta de pago", + "user.userProfile.new.statement" to "Estado", + "user.userProfile.terms.prompt" to "Introduce términos de compra-venta opcionales", + "user.password.headline.removePassword" to "Eliminar protección de contraseña", + "user.bondedRoles.userProfile.select" to "Seleccionar perfil de usuario", + "user.userProfile.userName.banned" to "[Baneado] {0}", + "user.paymentAccounts.createAccount.accountName" to "Nombre de la cuenta de pago", + "user.userProfile.new.terms" to "Tus términos de compra-venta", + "user.paymentAccounts.noAccounts.info" to "No has configurado ninguna cuenta todavía.", + "user.paymentAccounts.noAccounts.whySetup.note" to "Nota informativa:\nLos datos de tu cuenta se almacenan exclusivamente localmente en tu ordenador y se comparten con tu contraparte solo si tú decides compartirlos.", + "user.userProfile.profileAge.tooltip" to "La 'edad del perfil' es la antigüedad en días de ese perfil de usuario.", + "user.userProfile.deleteProfile.popup.warning.yes" to "Sí, eliminar perfil", + "user.userProfile.version" to "Versión: {0}", + "user.userProfile.profileAge" to "Edad del perfil", + "user.userProfile.tooltip" to "Apodo: {0}\nID de Bot: {1}\nID de Perfil: {2}\n{3}", + "user.userProfile.new.step2.subTitle" to "Opcionalmente puedes agregar un estado personalizado en tu perfil y establecer tus términos de compra-venta", + "user.paymentAccounts.createAccount.accountName.prompt" to "Establece un nombre único para tu cuenta de pago", + "user.userProfile.addressByTransport.CLEAR" to "Dirección clearnet: {0}", + "user.password.headline.setPassword" to "Establecer protección de contraseña", + "user.password.button.removePassword" to "Eliminar contraseña", + "user.password.removePassword.failed" to "Contraseña inválida.", + "user.userProfile.livenessState.tooltip" to "El tiempo transcurrido desde que el perfil de usuario fue republicado en la red, desencadenado por la actividad del usuario como movimientos del mouse.", + "user.userProfile.tooltip.banned" to "¡Este perfil está baneado!", + "user.userProfile.addressByTransport.TOR" to "Dirección Tor: {0}", + "user.userProfile.new.step2.headline" to "Completa tu perfil", + "user.password.removePassword.success" to "Protección de contraseña eliminada.", + "user.userProfile.livenessState.ageDisplay" to "hace {0}", + "user.userProfile.createNewProfile" to "Crear nuevo perfil", + "user.userProfile.new.terms.prompt" to "Establecer términos de compra-venta opcionales", + "user.userProfile.profileId" to "ID de Perfil", + "user.userProfile.deleteProfile.cannotDelete" to "No está permitido eliminar el perfil de usuario\n\nPara eliminar este perfil, primero:\n- Elimine todos los mensajes publicados con este perfil\n- Cierre todos los canales privados para este perfil\n- Asegúrese de tener al menos un perfil más", + "user.paymentAccounts.noAccounts.headline" to "Tus cuentas de pago", + "user.paymentAccounts.createAccount.headline" to "Agregar nueva cuenta de pago", + "user.userProfile.nymId.tooltip" to "El 'ID de Bot' se genera a partir del hash de la clave pública de la\nidentidad de ese perfil de usuario.\nSe añade al apodo en caso de que haya múltiples perfiles de usuario en\nla red con el mismo apodo para distinguir claramente entre esos perfiles.", + "user.userProfile.new.statement.prompt" to "Agregar estado opcional", + "user.password.button.savePassword" to "Guardar contraseña", + "user.userProfile.profileId.tooltip" to "El 'ID de Perfil' es el hash de la clave pública de la identidad de ese perfil de usuario\ncodificado como carácteres hexadecimales.", + ), + "network" to mapOf( + "network.version.localVersion.headline" to "Información de la versión local", + "network.nodes.header.numConnections" to "Número de conexiones", + "network.transport.traffic.sent.details" to "Datos enviados: {0}\nTiempo para enviar el mensaje: {1}\nNúmero de mensajes: {2}\nNúmero de mensajes por nombre de clase: {3}\nNúmero de datos distribuidos por nombre de clase: {4}", + "network.nodes.type.active" to "Nodo de usuario (activo)", + "network.connections.outbound" to "Saliente", + "network.transport.systemLoad.details" to "Tamaño de los datos de red persistidos: {0}\nCarga actual de la red: {1}\nCarga promedio de la red: {2}", + "network.transport.headline.CLEAR" to "Red clara", + "network.nodeInfo.myAddress" to "Mi dirección predeterminada", + "network.version.versionDistribution.version" to "Versión {0}", + "network.transport.headline.I2P" to "I2P", + "network.version.versionDistribution.tooltipLine" to "{0} perfiles de usuario con versión ''{1}''", + "network.transport.pow.details" to "Tiempo total gastado: {0}\nTiempo promedio por mensaje: {1}\nNúmero de mensajes: {2}", + "network.nodes.header.type" to "Tipo", + "network.transport.pow.headline" to "Prueba de trabajo", + "network.header.nodeTag" to "Etiqueta de identidad", + "network.nodes.title" to "Mis nodos", + "network.connections.ioData" to "{0} / {1} Mensajes", + "network.connections.title" to "Conexiones", + "network.connections.header.peer" to "Usuario", + "network.nodes.header.keyId" to "ID de clave", + "network.version.localVersion.details" to "Versión de Bisq: v{0}\nHash de commit: {1}\nVersión de Tor: v{2}", + "network.nodes.header.address" to "Dirección del servidor", + "network.connections.seed" to "Nodo semilla", + "network.p2pNetwork" to "Red P2P", + "network.transport.traffic.received.details" to "Datos recibidos: {0}\nTiempo para la deserialización del mensaje: {1}\nNúmero de mensajes: {2}\nNúmero de mensajes por nombre de clase: {3}\nNúmero de datos distribuidos por nombre de clase: {4}", + "network.nodes" to "Nodos de infraestructura", + "network.connections.inbound" to "Entrante", + "network.header.nodeTag.tooltip" to "Etiqueta de identidad: {0}", + "network.version.versionDistribution.oldVersions" to "2.0.4 (o anteriores)", + "network.nodes.type.retired" to "Nodo de usuario (retirado)", + "network.transport.traffic.sent.headline" to "Tráfico saliente de la última hora", + "network.roles" to "Roles con fianza", + "network.connections.header.sentHeader" to "Enviado", + "network.connections.header.receivedHeader" to "Recibido", + "network.nodes.type.default" to "Nodo Gossip", + "network.version.headline" to "Distribución de versiones", + "network.myNetworkNode" to "Mi nodo de la red", + "network.transport.headline.TOR" to "Tor", + "network.connections.header.connectionDirection" to "Entrada/Salida", + "network.transport.traffic.received.headline" to "Tráfico entrante de la última hora", + "network.transport.systemLoad.headline" to "Carga del sistema", + "network.connections.header.rtt" to "RTT", + "network.connections.header.address" to "Dirección", + ), + "settings" to mapOf( + "settings.language.supported.select" to "Seleccionar idioma", + "settings.network.difficultyAdjustmentFactor.ignoreValueFromSecManager" to "Ignorar el valor proporcionado por el Mánager de Seguridad de Bisq", + "settings.notification.option.off" to "Ninguna", + "settings.network.difficultyAdjustmentFactor.description.self" to "Factor de ajuste de dificultad PoW personalizado", + "settings.backup.totalMaxBackupSizeInMB.info.tooltip" to "Los datos importantes se respaldan automáticamente en el directorio de datos cada vez que se realizan actualizaciones,\nsiguiendo esta estrategia de retención:\n - Última Hora: Mantener un máximo de una copia de seguridad por minuto.\n - Último Día: Mantener una copia de seguridad por hora.\n - Última Semana: Mantener una copia de seguridad por día.\n - Último Mes: Mantener una copia de seguridad por semana.\n - Último Año: Mantener una copia de seguridad por mes.\n - Años Anteriores: Mantener una copia de seguridad por año.\n\nTenga en cuenta que este mecanismo de respaldo no protege contra fallos del disco duro.\nPara una mejor protección, recomendamos encarecidamente crear copias de seguridad manuales en un disco duro alternativo.", + "settings.notification.option.all" to "Todos los mensajes de chat", + "settings.display" to "Visualización", + "settings.trade" to "Oferta y compra-venta", + "settings.trade.maxTradePriceDeviation" to "Tolerancia máxima de precio de operación", + "settings.backup.totalMaxBackupSizeInMB.description" to "Tamaño máximo en MB para copias de seguridad automáticas", + "settings.language.supported.headline" to "Agregar tus idiomas aceptados", + "settings.misc" to "Misceláneo", + "settings.trade.headline" to "Configuraciones de oferta e intercambio", + "settings.trade.maxTradePriceDeviation.invalid" to "Debe ser un valor entre 1 y {0}%", + "settings.backup.totalMaxBackupSizeInMB.invalid" to "Debe ser un valor entre {0} MB y {1} MB", + "settings.language.supported.addButton.tooltip" to "Agregar idioma seleccionado a la lista", + "settings.language.supported.subHeadLine" to "Idiomas que hablas con fluidez", + "settings.display.useAnimations" to "Usar animaciones", + "settings.notification.notifyForPreRelease" to "Notificar sobre actualizaciones de software en pre-lanzamiento", + "settings.language.select.invalid" to "Por favor, selecciona un idioma de la lista", + "settings.notification.options" to "Opciones de notificación", + "settings.notification.useTransientNotifications" to "Usar notificaciones transitorias", + "settings.language.headline" to "Selección de Idioma", + "settings.language.supported.invalid" to "Por favor, seleccione un idioma de la lista", + "settings.language.restart" to "Para aplicar el nuevo idioma debes reiniciar la aplicación", + "settings.backup.headline" to "Configuraciones de respaldo", + "settings.notification.option.mention" to "Si me mencionan", + "settings.notification.clearNotifications" to "Limpiar notificaciones", + "settings.display.preventStandbyMode" to "Evitar modo de espera", + "settings.notifications" to "Notificaciones", + "settings.network.headline" to "Configuración de red", + "settings.language.supported.list.subHeadLine" to "Hablas en:", + "settings.trade.closeMyOfferWhenTaken" to "Cerrar mi oferta cuando sea aceptada", + "settings.display.resetDontShowAgain" to "Restablecer todos los indicadores de 'No mostrar de nuevo'", + "settings.language.select" to "Seleccionar idioma", + "settings.network.difficultyAdjustmentFactor.description.fromSecManager" to "Factor de ajuste de dificultad PoW del Mánager de Seguridad de Bisq", + "settings.language" to "Idioma", + "settings.display.headline" to "Configuraciones de pantalla", + "settings.network.difficultyAdjustmentFactor.invalid" to "Debe ser un número entre 0 y {0}", + "settings.trade.maxTradePriceDeviation.help" to "Diferencia máxima de precio de operación que un ofertante tolera cuando su oferta es aceptada.", + ), + "payment_method" to mapOf( + "F2F_SHORT" to "En persona", + "LN" to "BTC a través de Lightning Network", + "WISE_USD" to "Wise-USD", + "DOMESTIC_WIRE_TRANSFER_SHORT" to "Wire", + "MAIN_CHAIN_SHORT" to "Onchain", + "IMPS" to "India/IMPS", + "PAYTM" to "India/PayTM", + "RTGS" to "India/RTGS", + "MONESE" to "Monese", + "CIPS_SHORT" to "CIPS", + "MONEY_GRAM" to "MoneyGram", + "WISE" to "Wise", + "TIKKIE" to "Tikkie", + "UPI" to "India/UPI", + "BIZUM" to "Bizum", + "INTERAC_E_TRANSFER" to "Interac e-Transfer", + "LN_SHORT" to "Lightning", + "ALI_PAY" to "AliPay", + "NATIONAL_BANK" to "Transferencia bancaria nacional", + "US_POSTAL_MONEY_ORDER" to "Giro postal de EE. UU.", + "JAPAN_BANK" to "Japan Bank Furikomi", + "NATIVE_CHAIN" to "Cadena nativa", + "FASTER_PAYMENTS" to "Faster Payments", + "ADVANCED_CASH" to "Advanced Cash", + "F2F" to "En persona", + "SWIFT_SHORT" to "SWIFT", + "WECHAT_PAY" to "WeChat Pay", + "RBTC_SHORT" to "RSK", + "ACH_TRANSFER" to "Transferencia ACH", + "CHASE_QUICK_PAY" to "Chase QuickPay", + "INTERNATIONAL_BANK_SHORT" to "Bancos internacionales", + "HAL_CASH" to "HalCash", + "WESTERN_UNION" to "Western Union", + "ZELLE" to "Zelle", + "JAPAN_BANK_SHORT" to "Japan Furikomi", + "RBTC" to "RBTC (BTC pegged en la side chain RSK)", + "SWISH" to "Swish", + "SAME_BANK" to "Transferencia con el mismo banco", + "ACH_TRANSFER_SHORT" to "ACH", + "AMAZON_GIFT_CARD" to "Tarjeta regalo de Amazon", + "PROMPT_PAY" to "PromptPay", + "LBTC" to "L-BTC (BTC pegged en la side chain Liquid)", + "US_POSTAL_MONEY_ORDER_SHORT" to "Giro postal de EE. UU.", + "VERSE" to "Verse", + "SWIFT" to "Transferencia internacional SWIFT", + "SPECIFIC_BANKS_SHORT" to "Bancos específicos", + "WESTERN_UNION_SHORT" to "Western Union", + "DOMESTIC_WIRE_TRANSFER" to "Transferencia Wire Doméstica", + "INTERNATIONAL_BANK" to "Transferencia bancaria internacional", + "UPHOLD" to "Uphold", + "CAPITUAL" to "Capitual", + "CASH_DEPOSIT" to "Ingreso de efectivo", + "WBTC" to "WBTC (BTC wrapped como token ERC20)", + "MONEY_GRAM_SHORT" to "MoneyGram", + "CASH_BY_MAIL" to "Efectivo por correo", + "SAME_BANK_SHORT" to "Mismo banco", + "SPECIFIC_BANKS" to "Transferencias con bancos específicos", + "PAXUM" to "Paxum", + "NATIVE_CHAIN_SHORT" to "Cadena nativa", + "WBTC_SHORT" to "WBTC", + "PERFECT_MONEY" to "Perfect Money", + "CELPAY" to "CelPay", + "STRIKE" to "Strike", + "MAIN_CHAIN" to "Bitcoin (onchain)", + "SEPA_INSTANT" to "SEPA Instantánea", + "CASH_APP" to "Cash App", + "POPMONEY" to "Popmoney", + "REVOLUT" to "Revolut", + "NEFT" to "India/NEFT", + "SATISPAY" to "Satispay", + "PAYSERA" to "Paysera", + "LBTC_SHORT" to "Liquid", + "SEPA" to "SEPA", + "NEQUI" to "Nequi", + "NATIONAL_BANK_SHORT" to "Bancos nacionales", + "CASH_BY_MAIL_SHORT" to "Efectivo por correo", + "OTHER" to "Otro", + "PAY_ID" to "PayID", + "CIPS" to "Cross-Border Interbank Payment System", + "MONEY_BEAM" to "MoneyBeam (N26)", + "PIX" to "Pix", + "CASH_DEPOSIT_SHORT" to "Ingreso de efectivo", + ), + "offer" to mapOf( + "offer.priceSpecFormatter.fixPrice" to "Offer with fixed price\n{0}", + "offer.priceSpecFormatter.floatPrice.below" to "{0} below market price\n{1}", + "offer.priceSpecFormatter.floatPrice.above" to "{0} above market price\n{1}", + "offer.priceSpecFormatter.marketPrice" to "At market price\n{0}", + ), + "mobile" to mapOf( + "bootstrap.connectedToTrustedNode" to "Connected to trusted node", + ), + ) +} diff --git a/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/GeneratedResourceBundles_it.kt b/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/GeneratedResourceBundles_it.kt new file mode 100644 index 00000000..d5d8ff0e --- /dev/null +++ b/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/GeneratedResourceBundles_it.kt @@ -0,0 +1,1368 @@ +package network.bisq.mobile.i18n + +// Auto-generated file. Do not modify manually. +object GeneratedResourceBundles_it { + val bundles = mapOf( + "default" to mapOf( + "action.exportAsCsv" to "Esporta come CSV", + "action.learnMore" to "Scopri di più", + "action.save" to "Salva", + "component.marketPrice.provider.BISQAGGREGATE" to "Aggregatore di prezzo di Bisq", + "offer.maker" to "Produttore", + "offer.buyer" to "Acquirente", + "component.marketPrice.requesting" to "Richiesta del prezzo di mercato", + "component.standardTable.numEntries" to "Numero di voci: {0}", + "offer.createOffer" to "Crea offerta", + "action.close" to "Chiudi", + "validation.tooLong" to "Il testo di input non deve superare i {0} caratteri", + "component.standardTable.filter.tooltip" to "Filtra per {0}", + "temporal.age" to "Età", + "data.noDataAvailable" to "Dati non disponibili", + "action.goTo" to "Vai a {0}", + "action.next" to "Avanti", + "offer.buying" to "in acquisto", + "offer.price.above" to "sopra", + "offer.buy" to "compra", + "offer.taker" to "Accettatore", + "validation.password.notMatching" to "Le due password inserite non corrispondono", + "action.delete" to "Elimina", + "component.marketPrice.tooltip.isStale" to "\nATTENZIONE: Il prezzo di mercato è obsoleto!", + "action.shutDown" to "Spegni", + "component.priceInput.description" to "{0} prezzo", + "component.marketPrice.source.PROPAGATED_IN_NETWORK" to "Propagato dal nodo oracle: {0}", + "validation.password.tooShort" to "La password inserita è troppo corta. Deve contenere almeno 8 caratteri.", + "validation.invalidLightningInvoice" to "La fattura Lightning sembra non valida", + "action.back" to "Indietro", + "offer.selling" to "in vendita", + "action.editable" to "Modificabile", + "offer.takeOffer.buy.button" to "Compra Bitcoin", + "validation.invalidNumber" to "L'input non è un numero valido", + "action.search" to "Cerca", + "validation.invalid" to "Input non valido", + "component.marketPrice.source.REQUESTED_FROM_PRICE_NODE" to "Richiesto da: {0}", + "validation.invalidBitcoinAddress" to "L'indirizzo Bitcoin sembra non valido", + "temporal.year.1" to "{0} anno", + "confirmation.no" to "No", + "validation.invalidLightningPreimage" to "La preimmagine Lightning sembra non valida", + "temporal.day.1" to "{0} giorno", + "component.standardTable.filter.showAll" to "Mostra tutto", + "temporal.year.*" to "{0} anni", + "data.add" to "Aggiungi", + "offer.takeOffer.sell.button" to "Vendi Bitcoin", + "component.marketPrice.source.PERSISTED" to "Dati conservati", + "action.copyToClipboard" to "Copia negli appunti", + "confirmation.yes" to "Sì", + "offer.sell" to "vendi", + "action.react" to "Reagisci", + "temporal.day.*" to "{0} giorni", + "temporal.at" to "a", + "component.standardTable.csv.plainValue" to "{0} (valore semplice)", + "offer.seller" to "Venditore", + "temporal.date" to "Data", + "action.iUnderstand" to "Ho capito", + "component.priceInput.prompt" to "Inserisci il prezzo", + "confirmation.ok" to "OK", + "action.dontShowAgain" to "Non mostrare più", + "action.cancel" to "Annulla", + "offer.amount" to "Quantità", + "action.edit" to "Modifica", + "offer.deleteOffer" to "Elimina la mia offerta", + "data.remove" to "Rimuovi", + "data.false" to "Falso", + "offer.price.below" to "sotto", + "data.na" to "N/D", + "action.expandOrCollapse" to "Clicca per espandere o comprimere", + "data.true" to "Vero", + "validation.invalidBitcoinTransactionId" to "L'ID della transazione Bitcoin sembra non valido", + "component.marketPrice.tooltip" to "{0}\nAggiornato: {1} fa\nRicevuto il: {2}{3}", + "validation.empty" to "Non è consentita una stringa vuota", + "validation.invalidPercentage" to "L'input non è un valore percentuale valido", + ), + "application" to mapOf( + "onboarding.createProfile.nickName" to "Nickname del profilo", + "notificationPanel.mediationCases.headline.single" to "Nuovo messaggio per il caso di mediazione con ID commercio ''{0}''", + "popup.reportBug" to "Segnala bug agli sviluppatori di Bisq", + "tac.reject" to "Rifiuta e chiudi l'applicazione", + "dashboard.activeUsers.tooltip" to "I profili rimangono pubblicati sulla rete\nse l'utente è stato online negli ultimi 15 giorni.", + "popup.hyperlink.openInBrowser.tooltip" to "Apri il link nel browser: {0}.", + "navigation.reputation" to "Reputazione", + "navigation.settings" to "Impostazioni", + "updater.downloadLater" to "Scarica più tardi", + "splash.bootstrapState.SERVICE_PUBLISHED" to "{0} pubblicato", + "updater.downloadAndVerify.info.isLauncherUpdate" to "Una volta scaricati tutti i file, la chiave di firma viene confrontata con le chiavi fornite nell'applicazione e quelle disponibili sul sito web di Bisq. Questa chiave viene quindi utilizzata per verificare il nuovo programma di installazione di Bisq scaricato. Dopo il completamento del download e della verifica, vai alla directory di download per installare la nuova versione di Bisq.", + "dashboard.offersOnline" to "Offerte online", + "onboarding.password.button.savePassword" to "Salva password", + "popup.headline.instruction" to "Nota:", + "updater.shutDown.isLauncherUpdate" to "Apri la directory di download e spegni", + "updater.ignore" to "Ignora questa versione", + "navigation.dashboard" to "Dashboard", + "onboarding.createProfile.subTitle" to "Il tuo profilo pubblico consiste in un nickname (scelto da te) e un'icona bot (generata criptograficamente)", + "onboarding.createProfile.headline" to "Crea il tuo profilo", + "popup.headline.warning" to "Avviso", + "popup.reportBug.report" to "Versione di Bisq: {0}\nSistema operativo: {1}\nMessaggio di errore:\n{2}", + "splash.bootstrapState.network.I2P" to "I2P", + "unlock.failed" to "Impossibile sbloccare con la password fornita.\n\nRiprova e assicurati che il blocco maiuscole sia disattivato.", + "popup.shutdown" to "La chiusura è in corso.\n\nPotrebbero essere necessari fino a {0} secondi perché la chiusura sia completata.", + "splash.bootstrapState.service.TOR" to "Servizio Onion", + "navigation.expandIcon.tooltip" to "Espandi menu", + "updater.downloadAndVerify.info" to "Una volta scaricati tutti i file, la chiave di firma viene confrontata con le chiavi fornite nell'applicazione e quelle disponibili sul sito web di Bisq. Questa chiave viene quindi utilizzata per verificare la nuova versione scaricata ('desktop.jar').", + "popup.headline.attention" to "Attenzione", + "onboarding.password.headline.setPassword" to "Imposta la protezione con password", + "unlock.button" to "Sblocca", + "splash.bootstrapState.START_PUBLISH_SERVICE" to "Inizio pubblicazione {0}", + "onboarding.bisq2.headline" to "Benvenuto in Bisq 2", + "dashboard.marketPrice" to "Ultimo prezzo di mercato", + "popup.hyperlink.copy.tooltip" to "Copia il link: {0}.", + "navigation.bisqEasy" to "Bisq Easy", + "navigation.network.info.i2p" to "I2P", + "dashboard.third.button" to "Costruisci reputazione", + "popup.headline.error" to "Errore", + "video.mp4NotSupported.warning" to "Puoi guardare il video nel tuo browser all'indirizzo: [HYPERLINK:{0}]", + "updater.downloadAndVerify.headline" to "Scarica e verifica la nuova versione", + "tac.headline" to "Accordo dell'utente", + "splash.applicationServiceState.INITIALIZE_SERVICES" to "Inizializzazione dei servizi", + "onboarding.password.enterPassword" to "Inserisci la password (min. 8 caratteri)", + "splash.details.tooltip" to "Clicca per mostrare i dettagli", + "navigation.network" to "Rete", + "dashboard.main.content3" to "La sicurezza si basa sulla reputazione del venditore", + "dashboard.main.content2" to "Interfaccia utente basata su chat e guidata per il trading", + "splash.applicationServiceState.INITIALIZE_WALLET" to "Inizializzazione del portafoglio", + "onboarding.password.subTitle" to "Configura la protezione con password ora o salta e fallo più tardi in 'Opzioni utente/Password'.", + "dashboard.main.content1" to "Inizia a fare trading o consulta le offerte disponibili nel libro degli ordini", + "navigation.vertical.collapseIcon.tooltip" to "Riduci sottomenu", + "splash.bootstrapState.network.TOR" to "Tor", + "splash.bootstrapState.service.CLEAR" to "Server", + "splash.bootstrapState.CONNECTED_TO_PEERS" to "Connessione ai peer", + "splash.bootstrapState.service.I2P" to "Servizio I2P", + "popup.reportError.zipLogs" to "Comprimi i file di log", + "updater.furtherInfo.isLauncherUpdate" to "Questo aggiornamento richiede una nuova installazione di Bisq.\nSe hai problemi nell'installare Bisq su macOS, leggi le istruzioni su:", + "navigation.support" to "Supporto", + "updater.table.progress.completed" to "Completato", + "updater.headline" to "È disponibile un nuovo aggiornamento di Bisq", + "notificationPanel.trades.button" to "Vai a 'Scambi Aperti'", + "popup.headline.feedback" to "Completato", + "tac.confirm" to "Ho letto e compreso", + "navigation.collapseIcon.tooltip" to "Minimizza menu", + "updater.shutDown" to "Spegni", + "popup.headline.backgroundInfo" to "Informazioni di base", + "splash.applicationServiceState.FAILED" to "Avvio fallito", + "navigation.userOptions" to "Opzioni utente", + "updater.releaseNotesHeadline" to "Note di rilascio per la versione {0}:", + "splash.bootstrapState.BOOTSTRAP_TO_NETWORK" to "Bootstrap alla rete {0}", + "navigation.vertical.expandIcon.tooltip" to "Espandi sottomenu", + "topPanel.wallet.balance" to "Saldo", + "navigation.network.info.tooltip" to "Rete {0}\nNumero di connessioni: {1}\nConnessioni obiettivo: {2}", + "video.mp4NotSupported.warning.headline" to "Il video incorporato non può essere riprodotto", + "navigation.wallet" to "Portafoglio", + "onboarding.createProfile.regenerate" to "Genera nuova icona bot", + "splash.applicationServiceState.INITIALIZE_NETWORK" to "Inizializzazione della rete P2P", + "updater.table.progress" to "Progresso del download", + "navigation.network.info.inventoryRequests.tooltip" to "Stato della richiesta di dati di rete:\nNumero di richieste in sospeso: {0}\nNumero massimo di richieste: {1}\nTutti i dati ricevuti: {2}", + "onboarding.createProfile.createProfile.busy" to "Inizializzazione del nodo di rete...", + "dashboard.second.button" to "Esplora i protocolli di trading", + "dashboard.activeUsers" to "Profili utente pubblicati", + "hyperlinks.openInBrowser.attention.headline" to "Apri link web", + "dashboard.main.headline" to "Ottieni il tuo primo BTC", + "popup.headline.invalid" to "Input non valido", + "popup.reportError.gitHub" to "Segnala al tracker issue di GitHub", + "navigation.network.info.inventoryRequest.requesting" to "Richiesta di dati di rete in corso", + "popup.headline.information" to "Informazioni", + "navigation.network.info.clearNet" to "Rete chiara", + "dashboard.third.headline" to "Costruisci la reputazione", + "tac.accept" to "Accetta l'accordo dell'utente", + "updater.furtherInfo" to "Questo aggiornamento sarà caricato dopo il riavvio e non richiede una nuova installazione.\nUlteriori dettagli possono essere trovati nella pagina di rilascio su:", + "onboarding.createProfile.nym" to "ID Bot:", + "popup.shutdown.error" to "Si è verificato un errore durante la chiusura: {0}.", + "navigation.authorizedRole" to "Ruolo autorizzato", + "onboarding.password.confirmPassword" to "Conferma password", + "hyperlinks.openInBrowser.attention" to "Vuoi aprire il link a `{0}` nel tuo browser web predefinito?", + "onboarding.password.button.skip" to "Salta", + "popup.reportError.log" to "Apri file di log", + "dashboard.main.button" to "Entra in Bisq Easy", + "updater.download" to "Scarica e verifica", + "dashboard.third.content" to "Vuoi vendere Bitcoin su Bisq Easy? Scopri come funziona il sistema di reputazione e perché è importante.", + "hyperlinks.openInBrowser.no" to "No, copia il link", + "splash.applicationServiceState.APP_INITIALIZED" to "Bisq avviato", + "navigation.academy" to "Impara", + "navigation.network.info.inventoryRequest.completed" to "Dati di rete ricevuti", + "onboarding.createProfile.nickName.prompt" to "Scegli il tuo nickname", + "popup.startup.error" to "Si è verificato un errore durante l'inizializzazione di Bisq: {0}.", + "version.versionAndCommitHash" to "Versione: v{0} / Commit hash: {1}", + "onboarding.bisq2.teaserHeadline1" to "Presentazione di Bisq Easy", + "onboarding.bisq2.teaserHeadline3" to "Prossimamente", + "onboarding.bisq2.teaserHeadline2" to "Impara & scopri", + "dashboard.second.headline" to "Protocolli di trading multipli", + "splash.applicationServiceState.INITIALIZE_APP" to "Avvio di Bisq", + "unlock.headline" to "Inserisci la password per sbloccare", + "onboarding.password.savePassword.success" to "Protezione con password abilitata.", + "notificationPanel.mediationCases.button" to "Vai a 'Mediatore'", + "onboarding.bisq2.line2" to "Ottieni un'introduzione dolce a Bitcoin\nattraverso le nostre guide e la chat della community.", + "onboarding.bisq2.line3" to "Scegli come fare trading: Bisq MuSig, Lightning, Scambi Submarini,...", + "splash.bootstrapState.network.CLEAR" to "Rete chiara", + "updater.headline.isLauncherUpdate" to "È disponibile un nuovo installer di Bisq", + "notificationPanel.mediationCases.headline.multiple" to "Nuovi messaggi per la mediazione", + "onboarding.bisq2.line1" to "Ottenere il tuo primo Bitcoin in modo privato\nnon è mai stato così facile.", + "notificationPanel.trades.headline.single" to "Nuovo messaggio di scambio per il commercio ''{0}''", + "popup.headline.confirmation" to "Conferma", + "onboarding.createProfile.createProfile" to "Avanti", + "onboarding.createProfile.nym.generating" to "Calcolo della prova di lavoro...", + "hyperlinks.copiedToClipboard" to "Il link è stato copiato negli appunti", + "updater.table.verified" to "Firma verificata", + "navigation.tradeApps" to "Protocolli di trading", + "navigation.chat" to "Chat", + "dashboard.second.content" to "Consulta la tabella di marcia per i prossimi protocolli di trading. Ottieni una panoramica delle caratteristiche dei diversi protocolli.", + "navigation.network.info.tor" to "Tor", + "updater.table.file" to "File", + "onboarding.createProfile.nickName.tooLong" to "Il nickname non deve essere più lungo di {0} caratteri", + "popup.reportError" to "Per aiutarci a migliorare il software, ti preghiamo di segnalare questo bug aprendo una nuova issue su https://github.com/bisq-network/bisq2/issues.\nIl messaggio di errore sopra verrà copiato negli appunti quando clicchi su uno dei pulsanti qui sotto.\nFacilita il debug se includi il file bisq.log premendo 'Apri file di log', salvandone una copia e allegandola alla segnalazione del bug.", + "notificationPanel.trades.headline.multiple" to "Nuovi messaggi di scambio", + ), + "bisq_easy" to mapOf( + "bisqEasy.tradeState.info.seller.phase2b.tradeLogMessage" to "{0} ha confermato la ricezione di {1}", + "bisqEasy.tradeWizard.paymentMethods.warn.customPaymentMethodAlreadyExists" to "Esiste già un metodo di pagamento personalizzato con il nome {0}.", + "bisqEasy.takeOffer.amount.seller.limitInfo.lowToleratedAmount" to "Poiché l'importo della transazione è inferiore a {0}, i requisiti di Reputazione sono allentati.", + "bisqEasy.onboarding.watchVideo.tooltip" to "Guarda il video introduttivo incorporato", + "bisqEasy.takeOffer.paymentMethods.headline.fiat" to "Quale metodo di pagamento vuoi utilizzare?", + "bisqEasy.walletGuide.receive" to "Ricevendo", + "bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMin.overlay.info" to "Il Punteggio di Reputazione del venditore di {0} non fornisce sufficiente sicurezza per quell'offerta.\n\nSi consiglia di effettuare transazioni di importi inferiori con scambi ripetuti o con venditori che hanno una Reputazione più alta. Se decidi di procedere nonostante la mancanza della Reputazione del venditore, assicurati di essere pienamente consapevole dei rischi associati. Il modello di sicurezza di Bisq Easy si basa sulla Reputazione del venditore, poiché l'acquirente è tenuto a inviare prima la valuta fiat.", + "bisqEasy.offerbook.marketListCell.favourites.maxReached.popup" to "C'è spazio solo per 5 preferiti. Rimuovi un preferito e riprova.", + "bisqEasy.dashboard" to "Primi passi", + "bisqEasy.tradeWizard.amount.seller.limitInfo.noReputationNeededForMaxOrFixedAmount.overlay.info.scoreTooLow" to "Per importi fino a {0}, i requisiti di Reputazione sono allentati.\n\nIl tuo Punteggio di Reputazione di {1} non offre sufficiente sicurezza per gli acquirenti. Tuttavia, dato il basso importo coinvolto, gli acquirenti potrebbero comunque considerare di accettare l'offerta una volta informati sui rischi associati.\n\nPuoi trovare informazioni su come aumentare la tua Reputazione in ''Reputazione/Costruisci Reputazione''.", + "bisqEasy.price.feedback.sentence.veryGood" to "molto buone", + "bisqEasy.walletGuide.createWallet" to "Nuovo portafoglio", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.description" to "Stato della connessione della webcam", + "bisqEasy.tradeWizard.review.sellerPaysMinerFeeLong" to "Il venditore paga il costo della transazione", + "bisqEasy.tradeState.info.buyer.phase2b.headline" to "Attendi che il venditore confermi la ricezione del pagamento", + "bisqEasy.tradeWizard.paymentMethods.bitcoin.subTitle.seller" to "Scegli i metodi di regolamento per inviare Bitcoin", + "bisqEasy.tradeState.info.seller.phase3a.bitcoinPayment.description.LN" to "Fattura Lightning", + "bisqEasy.tradeCompleted.body.copy.explorerLink.tooltip" to "Copia il link della transazione dell'esploratore di blocchi", + "bisqEasy.tradeWizard.amount.headline.seller" to "Quanto vuoi ricevere?", + "bisqEasy.openTrades.table.direction.buyer" to "Sto comprando da:", + "bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.inSufficientScore" to "Con un Punteggio di Reputazione di {0}, la sicurezza che fornisci è insufficiente per le transazioni superiori a {1}.\n\nPuoi comunque creare tali offerte, ma gli acquirenti saranno avvisati dei potenziali rischi quando tenteranno di accettare la tua offerta.\n\nPuoi trovare informazioni su come aumentare la tua Reputazione in ''Reputazione/Costruisci Reputazione''.", + "bisqEasy.tradeWizard.paymentMethods.customMethod.prompt" to "Pagamento personalizzato", + "bisqEasy.tradeState.info.phase4.leaveChannel" to "Chiudi compravendita", + "bisqEasy.tradeWizard.directionAndMarket.headline" to "Vuoi comprare o vendere Bitcoin con", + "bisqEasy.tradeWizard.review.chatMessage.price" to "Prezzo:", + "bisqEasy.tradeWizard.paymentMethods.bitcoin.subTitle.buyer" to "Scegli i metodi di regolamento per ricevere Bitcoin", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.headline.LN" to "Inserisci la tua fattura Lightning", + "bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage" to "{0} ha avviato il pagamento in Bitcoin. {1}: ''{2}''", + "bisqEasy.openTrades.table.baseAmount" to "Quantità in BTC", + "bisqEasy.openTrades.tradeLogMessage.cancelled" to "{0} ha annullato la negoziazione", + "bisqEasy.openTrades.inMediation.info" to "Un mediatore si è unito alla chat di compravendita. Utilizza la chat di compravendita sottostante per ottenere assistenza dal mediatore.", + "bisqEasy.onboarding.right.button" to "Apri il registro delle offerte", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.imageRecognized" to "Webcam connessa", + "bisqEasy.tradeState.info.buyer.phase2a.sellersAccount" to "Account di pagamento del venditore", + "bisqEasy.tradeWizard.amount.numOffers.0" to "non c'è offerta", + "bisqEasy.offerbook.markets.ExpandedList.Tooltip" to "Comprimi Mercati", + "bisqEasy.openTrades.cancelTrade.warning.seller" to "Dato che l'acquirente ha già ricevuto i dettagli del conto di pagamento e potrebbe essere in procinto di avviare il pagamento, annullare la transazione senza il consenso dell'acquirente {0}", + "bisqEasy.tradeCompleted.body.tradePrice" to "Prezzo di compravendita", + "bisqEasy.tradeWizard.amount.numOffers.*" to "ci sono {0} offerte", + "bisqEasy.tradeWizard.review.chatMessage.peerMessageTitle.buy" to "Compra Bitcoin da", + "bisqEasy.walletGuide.intro.content" to "Su Bisq Easy, i bitcoin che ricevi vanno direttamente a te senza intermediari. Questo è un grande vantaggio, ma significa anche che hai bisogno di avere un portafoglio che controlli tu stesso per riceverli!\n\nIn questa breve guida al portafoglio, ti mostreremo in pochi semplici passi come creare un portafoglio semplice. Con esso, sarai in grado di ricevere e conservare i tuoi bitcoin appena acquistati.\n\nSe sei già familiare con i portafogli on-chain e ne hai uno, puoi saltare questa guida e semplicemente usare il tuo portafoglio esistente.", + "bisqEasy.openTrades.rejected.peer" to "La controparte ha rifiutato la compravendita", + "bisqEasy.offerbook.offerList.table.columns.settlementMethod" to "Regolamento", + "bisqEasy.topPane.closeFilter" to "Chiudi filtro", + "bisqEasy.tradeWizard.amount.numOffers.1" to "è un'offerta", + "bisqEasy.component.amount.baseSide.tooltip.btcAmount.selectedPrice" to "Questo è l'importo in Bitcoin con il prezzo da te selezionato.", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.subHeadline" to "Non ci sono offerte disponibili per i tuoi criteri di selezione.", + "bisqEasy.openTrades.chat.detach" to "Separa", + "bisqEasy.offerbook.offerList.table.columns.price.tooltip.marketPrice" to "Prezzo di mercato: {0}", + "bisqEasy.openTrades.table.tradeId" to "ID della compravendita", + "bisqEasy.tradeWizard.market.columns.name" to "Valuta fiat", + "bisqEasy.offerbook.offerList.table.filters.offerDirection.sellTo" to "Vendi a", + "bisqEasy.tradeWizard.directionAndMarket.feedback.tradeWithoutReputation" to "Continua senza Reputazione", + "bisqEasy.tradeWizard.paymentMethods.noneFound" to "Per il mercato selezionato, non ci sono metodi di pagamento standard forniti.\nPer favore, aggiungi nel campo di testo sottostante il metodo di pagamento personalizzato che desideri utilizzare.", + "bisqEasy.tradeWizard.amount.seller.wizard.limitInfo" to "Con il tuo Punteggio di Reputazione di {0}, puoi scambiare fino a", + "bisqEasy.price.feedback.sentence.veryLow" to "molto basse", + "bisqEasy.tradeWizard.review.noTradeFeesLong" to "Nessuna commissione di compravendita su Bisq Easy", + "bisqEasy.tradeGuide.process.headline" to "Come funziona il processo di compravendita?", + "bisqEasy.mediator" to "Mediatore", + "bisqEasy.price.headline" to "Qual è il tuo prezzo di compravendita?", + "bisqEasy.tradeWizard.paymentMethods.warn.noFiatPaymentMethodSelected" to "Per favore scegli almeno un metodo di pagamento fiat.", + "bisqEasy.tradeWizard.paymentMethods.fiat.subTitle.seller" to "Scegli i metodi di pagamento per ricevere {0}", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.description.buyersPrice" to "Il prezzo della tua offerta per acquistare Bitcoin era {0}.", + "bisqEasy.tradeState.info.buyer.phase2a.confirmFiatSent" to "Conferma pagamento di {0}", + "bisqEasy.component.amount.minRangeValue" to "Min {0}", + "bisqEasy.offerbook.chatMessage.deleteMessage.confirmation" to "Sei sicuro di voler eliminare questo messaggio?", + "bisqEasy.tradeCompleted.body.copy.txId.tooltip" to "Copia l'ID Transazione negli appunti", + "bisqEasy.tradeWizard.amount.headline.buyer" to "Quanto vuoi spendere?", + "bisqEasy.openTrades.closeTrade" to "Chiudi compravendita", + "bisqEasy.openTrades.table.settlementMethod.tooltip" to "Metodo di regolamento Bitcoin: {0}", + "bisqEasy.openTrades.csv.quoteAmount" to "Importo in {0}", + "bisqEasy.tradeWizard.review.createOfferSuccess.headline" to "Offerta pubblicata con successo", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.all" to "Tutti", + "bisqEasy.tradeState.info.buyer.phase1a.tradeLogMessage.MAIN_CHAIN" to "{0} ha inviato l'indirizzo Bitcoin ''{1}''", + "bisqEasy.tradeWizard.directionAndMarket.feedback.subTitle1" to "Non hai ancora stabilito alcuna Reputazione. Per i venditori di Bitcoin, costruire una Reputazione è fondamentale perché i compratori devono inviare prima la valuta fiat nel processo di scambio, facendo affidamento sull'integrità del venditore.\n\nQuesto processo di costruzione della Reputazione è più adatto per utenti esperti di Bisq, e puoi trovare informazioni dettagliate al riguardo nella sezione 'Reputazione'.", + "bisqEasy.tradeWizard.directionAndMarket.feedback.subTitle2" to "Sebbene sia possibile per i venditori effettuare scambi senza (o con insufficiente) Reputazione per importi relativamente bassi fino a {0}, la probabilità di trovare un partner commerciale è notevolmente ridotta. Questo perché gli acquirenti tendono ad evitare di interagire con i venditori che mancano di Reputazione a causa dei rischi di sicurezza.", + "bisqEasy.tradeWizard.review.detailsHeadline.maker" to "Dettagli dell'offerta", + "bisqEasy.walletGuide.download.headline" to "Come scaricare il tuo portafoglio", + "bisqEasy.tradeWizard.selectOffer.headline.seller" to "Vendi bitcoin per {0}", + "bisqEasy.offerbook.marketListCell.numOffers.one" to "{0} offerta", + "bisqEasy.tradeWizard.amount.seller.wizard.limitInfo.overlay.info" to "Con un Punteggio di Reputazione di {0}, puoi fare trading fino a {1}.\n\nPuoi trovare informazioni su come aumentare la tua Reputazione in ''Reputazione/Crea Reputazione''.", + "bisqEasy.tradeState.info.seller.phase3b.balance.prompt" to "In attesa di dati blockchain...", + "bisqEasy.takeOffer.amount.buyer.limitInfo.minAmountCovered" to "Il Punteggio di Reputazione del venditore di {0} offre sicurezza fino a", + "bisqEasy.tradeGuide.welcome" to "Panoramica Generale", + "bisqEasy.offerbook.markets.CollapsedList.Tooltip" to "Espandi Mercati", + "bisqEasy.tradeGuide.welcome.headline" to "Come negoziare su Bisq Easy", + "bisqEasy.takeOffer.amount.description" to "L'offerta ti permette di scegliere una quantità di compravendita\ntra {0} e {1}", + "bisqEasy.onboarding.right.headline" to "Per i trader esperti", + "bisqEasy.tradeState.info.buyer.phase3b.confirmButton.ln" to "Conferma ricezione", + "bisqEasy.walletGuide.download" to "Scarica", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.description.sellersPrice" to "Tuttavia, il venditore ti sta offrendo un prezzo diverso: {0}.", + "bisqEasy.offerbook.offerList.table.filters.paymentMethods.customPayments" to "Pagamenti personalizzati", + "bisqEasy.offerbook.offerList.table.columns.paymentMethod" to "Pagamento", + "bisqEasy.takeOffer.progress.method" to "Metodo di pagamento", + "bisqEasy.tradeWizard.review.direction" to "{0} Bitcoin", + "bisqEasy.offerDetails.paymentMethods" to "Metodo/i di pagamento supportati", + "bisqEasy.openTrades.closeTrade.warning.interrupted" to "Prima di chiudere la transazione, puoi eseguire il backup dei dati della transazione come file csv, se necessario.\n\nUna volta che la transazione viene chiusa, tutti i dati relativi alla transazione vengono eliminati, e non puoi più comunicare con la controparte nella chat di compravendita.\n\nVuoi chiudere la transazione ora?", + "bisqEasy.tradeState.reportToMediator" to "Rapporto al mediatore", + "bisqEasy.openTrades.table.price" to "Prezzo", + "bisqEasy.openTrades.chat.window.title" to "{0} - Chat con {1} / ID del Commercio: {2}", + "bisqEasy.tradeCompleted.header.paymentMethod" to "Metodo di pagamento", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.nameZA" to "Nome Z-A", + "bisqEasy.tradeWizard.progress.review" to "Revisione", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.noReputationNeededForMaxOrFixedAmount" to "I venditori senza Reputazione possono accettare offerte fino a {0}.", + "bisqEasy.tradeWizard.review.createOfferSuccess.subTitle" to "La tua offerta è ora elencata nel registro delle offerte. Quando un utente di Bisq accetterà la tua offerta, troverai una nuova compravendita nella sezione 'Compravendite Aperte'.\n\nAssicurati di controllare regolarmente l'applicazione Bisq per eventuali nuovi messaggi da un accettante.", + "bisqEasy.openTrades.failed.popup" to "La compravendita è fallita a causa di un errore.\nMessaggio di errore: {0}\n\nTraccia dello stack: {1}", + "bisqEasy.tradeWizard.paymentMethods.fiat.subTitle.buyer" to "Scegli i metodi di pagamento per trasferire {0}", + "bisqEasy.tradeWizard.market.subTitle" to "Scegli la tua valuta di compravendita", + "bisqEasy.tradeWizard.review.sellerPaysMinerFee" to "Il venditore paga il costo della transazione", + "bisqEasy.openTrades.chat.peerLeft.subHeadline" to "Se la transazione non è completata da parte tua e hai bisogno di assistenza, contatta il mediatore o visita la chat di supporto.", + "bisqEasy.tradeState.info.seller.phase3a.qrCodeDisplay.openWindow" to "Apri visualizzazione più grande", + "bisqEasy.offerDetails.price" to "Prezzo dell'offerta in {0}", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.withOffers" to "Con offerte", + "bisqEasy.onboarding.left.button" to "Avvia l'assistente di compravendita", + "bisqEasy.takeOffer.review.takeOffer" to "Conferma offerta", + "bisqEasy.tradeWizard.amount.limitInfo.overlay.close" to "Chiudi sovrapposizione", + "bisqEasy.tradeCompleted.title" to "Compravendita completata con successo", + "bisqEasy.tradeState.info.buyer.phase3b.headline.MAIN_CHAIN" to "Il venditore ha iniziato il pagamento Bitcoin", + "bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.sufficientScore" to "Con un Punteggio di Reputazione di {0}, fornisci sicurezza per le transazioni fino a {1}.", + "bisqEasy.tradeGuide.rules" to "Regole di Compravendita", + "bisqEasy.tradeState.info.phase3b.txId.tooltip" to "Apri transazione nel block explorer", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.prompt.LN" to "Inserisci la tua fattura Lightning", + "bisqEasy.openTrades.cancelTrade.warning.part2" to "il consenso potrebbe essere considerato una violazione delle regole di trading e potrebbe comportare il divieto del tuo profilo dalla rete.\n\nSe il partner di trading è stato non reattivo per più di 24 ore e non è stato effettuato alcun pagamento, puoi rifiutare la negoziazione senza conseguenze. La responsabilità ricadrà sulla parte non reattiva.\n\nSe hai domande o incontri problemi, non esitare a contattare il tuo partner di trading o a cercare assistenza nella sezione 'Supporto'.\n\nSe credi che il tuo partner di trading abbia violato le regole di scambio, hai la possibilità di avviare una richiesta di mediazione. Un mediatore si unirà alla chat di scambio e lavorerà per trovare una soluzione cooperativa.\n\nSei sicuro di voler annullare la negoziazione?", + "bisqEasy.tradeState.header.pay" to "Importo da pagare", + "bisqEasy.tradeState.header.direction" to "Desidero", + "bisqEasy.tradeState.info.buyer.phase1b.info" to "Puoi utilizzare la chat qui sotto per metterti in contatto con il venditore.", + "bisqEasy.openTrades.welcome.line1" to "Scopri il modello di sicurezza di Bisq Easy", + "bisqEasy.tradeState.info.buyer.phase3b.tradeLogMessage.ln" to "{0} ha confermato di aver ricevuto il pagamento in Bitcoin", + "bisqEasy.tradeWizard.amount.description.minAmount" to "Imposta il valore minimo per la quantità", + "bisqEasy.onboarding.openTradeGuide" to "Leggi la guida alla compravendita", + "bisqEasy.openTrades.welcome.line2" to "Guarda come funziona il processo di scambio", + "bisqEasy.price.warn.invalidPrice.outOfRange" to "Il prezzo inserito è fuori dall'intervallo consentito del -10% al 50%.", + "bisqEasy.openTrades.welcome.line3" to "Familiarizza con le regole di scambio", + "bisqEasy.tradeState.bitcoinPaymentData.LN" to "Fattura Lightning", + "bisqEasy.tradeState.info.seller.phase1.note" to "Nota: Puoi utilizzare la chat qui sotto per metterti in contatto con il compratore prima di rivelare i tuoi dati dell'account.", + "bisqEasy.tradeWizard.directionAndMarket.buy" to "Compra Bitcoin", + "bisqEasy.openTrades.confirmCloseTrade" to "Conferma chiusura compravendita", + "bisqEasy.tradeWizard.amount.removeMinAmountOption" to "Usa un valore fisso per la quantità", + "bisqEasy.offerDetails.id" to "ID dell'offerta", + "bisqEasy.tradeWizard.progress.price" to "Prezzo", + "bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo.overlay.info" to "Data il basso importo della transazione di {0}, i requisiti di Reputazione sono allentati.\nPer importi fino a {1}, i venditori con Reputazione insufficiente o assente possono accettare la tua offerta.\n\nI venditori che vogliono accettare la tua offerta con l'importo max. di {2}, devono avere un Punteggio di Reputazione di almeno {3}.\nRiducendo l'importo massimo della transazione, rendi la tua offerta accessibile a più venditori.", + "bisqEasy.tradeState.info.buyer.phase1a.send" to "Invia al venditore", + "bisqEasy.takeOffer.review.noTradeFeesLong" to "Nessuna commissione di compravendita su Bisq Easy", + "bisqEasy.onboarding.watchVideo" to "Guarda il video", + "bisqEasy.walletGuide.receive.content" to "Per ricevere i tuoi bitcoin, hai bisogno di un indirizzo del tuo portafoglio. Per ottenerlo, clicca sul tuo portafoglio appena creato e poi clicca sul pulsante 'Ricevi' nella parte inferiore dello schermo.\n\nBluewallet mostrerà un indirizzo non utilizzato, sia come codice QR sia come testo. Questo indirizzo è quello che dovrai fornire al tuo partner su Bisq Easy in modo che possa inviarti i bitcoin che stai acquistando. Puoi spostare l'indirizzo sul tuo PC scansionando il codice QR con una fotocamera, inviando l'indirizzo con una email o un messaggio di chat, o addirittura digitandolo.\n\nUna volta completata la transazione, Bluewallet noterà il bitcoin in entrata e aggiornerà il tuo saldo con i nuovi fondi. Per proteggere la tua privacy, ogni volta che fai una nuova transazione ottieni un nuovo indirizzo .\n\nQuesti sono i fondamenti che devi conoscere per iniziare a ricevere bitcoin nel tuo portafoglio. Se vuoi saperne di più su Bluewallet, ti consigliamo di guardare i video elencati di seguito.", + "bisqEasy.takeOffer.progress.review" to "Rivedere la compravendita", + "bisqEasy.tradeCompleted.header.myDirection.buyer" to "Ho comprato", + "bisqEasy.tradeState.info.seller.phase3a.qrCodeDisplay.window.title" to "Scansiona il codice QR per lo scambio ''{0}''", + "bisqEasy.tradeWizard.amount.seller.limitInfo.scoreTooLow" to "Con il tuo Punteggio di Reputazione di {0}, l'importo della tua transazione non dovrebbe superare", + "bisqEasy.openTrades.table.paymentMethod.tooltip" to "Metodo di pagamento Fiat: {0}", + "bisqEasy.tradeCompleted.header.myOutcome.buyer" to "Ho pagato", + "bisqEasy.openTrades.chat.peer.description" to "Chat con la controparte", + "bisqEasy.takeOffer.progress.amount" to "Quantità", + "bisqEasy.price.warn.invalidPrice.numberFormatException" to "Il prezzo inserito non è un numero valido.", + "bisqEasy.mediation.request.confirm.msg" to "Se hai problemi che non riesci a risolvere con la controparte, puoi richiedere l'assistenza di un mediatore.\n\nPer favore, non richiedere la mediazione per domande generali. Nella sezione di supporto, ci sono chat room dove puoi ottenere consigli generali e aiuto.", + "bisqEasy.tradeGuide.rules.headline" to "Cosa devo sapere sulle regole di compravendita?", + "bisqEasy.tradeState.info.buyer.phase3b.balance.prompt" to "In attesa di dati blockchain...", + "bisqEasy.offerbook.markets" to "Mercati", + "bisqEasy.privateChats.leave" to "Esci dalla chat", + "bisqEasy.tradeWizard.review.priceDetails" to "Varia con il prezzo di mercato", + "bisqEasy.openTrades.table.headline" to "Le mie transazioni aperte", + "bisqEasy.takeOffer.review.method.bitcoin" to "Metodo di pagamento Bitcoin", + "bisqEasy.tradeWizard.amount.description.fixAmount" to "Imposta la quantità che desideri negoziare", + "bisqEasy.offerDetails.buy" to "Offerta di acquisto bitcoin", + "bisqEasy.openTrades.chat.detach.tooltip" to "Apri la chat in una nuova finestra", + "bisqEasy.tradeState.info.buyer.phase3a.headline" to "Attendi il pagamento Bitcoin del venditore", + "bisqEasy.openTrades" to "Le mie compravendite aperte", + "bisqEasy.tradeState.info.buyer.phase3b.info.MAIN_CHAIN" to "Non appena la transazione Bitcoin è visibile nella rete Bitcoin, vedrai il pagamento. Dopo 1 conferma sulla blockchain, il pagamento può essere considerato completato.", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.browseOfferbook.info" to "Chiudi l'assistente di compravendita e consulta il registro delle offerte", + "bisqEasy.tradeGuide.rules.confirm" to "Ho letto e capito", + "bisqEasy.walletGuide.intro" to "Introduzione", + "bisqEasy.tradeState.info.phase3b.balance.help.notConfirmed" to "Transazione presente nel mempool ma non ancora confermata", + "bisqEasy.mediation.request.feedback.noMediatorAvailable" to "Non c'è nessun mediatore disponibile. Per favore, usa invece la chat di supporto.", + "bisqEasy.price.feedback.learnWhySection.description.intro" to "Il motivo è che il venditore deve coprire spese extra e compensare per il servizio del venditore, in particolare:", + "bisqEasy.offerbook.marketListCell.favourites.tooltip.addToFavourites" to "Aggiungi ai preferiti", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.tooltip" to "Ordina e filtra i mercati", + "bisqEasy.openTrades.rejectTrade" to "Rifiuta la transazione", + "bisqEasy.openTrades.table.direction.seller" to "Sto vendendo a:", + "bisqEasy.offerDetails.sell" to "Offerta di vendita bitcoin", + "bisqEasy.tradeWizard.amount.seller.limitInfo.sufficientScore" to "Il tuo Punteggio di Reputazione di {0} fornisce sicurezza per offerte fino a", + "bisqEasy.tradeState.info.phase3b.balance.invalid.multipleOutputsForAddress" to "Più output corrispondenti trovati nella transazione", + "bisqEasy.onboarding.top.headline" to "Bisq Easy in 3 minuti", + "bisqEasy.tradeWizard.amount.buyer.numSellers.1" to "c'è un venditore", + "bisqEasy.tradeGuide.tabs.headline" to "Guida alla Compravendita", + "bisqEasy.tradeWizard.amount.seller.limitInfo.inSufficientScore" to "La sicurezza fornita dal tuo Punteggio di Reputazione di {0} è insufficiente per offerte superiori a", + "bisqEasy.openTrades.exportTrade" to "Esporta dati della compravendita", + "bisqEasy.tradeWizard.review.table.reputation" to "Reputazione", + "bisqEasy.tradeWizard.amount.buyer.numSellers.0" to "non c'è nessun venditore", + "bisqEasy.tradeWizard.progress.directionAndMarket" to "Tipo di offerta", + "bisqEasy.offerDetails.direction" to "Tipo di offerta", + "bisqEasy.tradeWizard.amount.buyer.numSellers.*" to "ci sono {0} venditori", + "bisqEasy.offerDetails.date" to "Data di creazione", + "bisqEasy.offerbook.offerList.table.filters.paymentMethods.title.all" to "Tutti", + "bisqEasy.takeOffer.noMediatorAvailable.warning" to "Non c'è un mediatore disponibile. Dovresti utilizzare la chat di supporto invece.", + "bisqEasy.offerbook.offerList.table.columns.price" to "Prezzo", + "bisqEasy.offerbook.offerList.table.filters.offerDirection.buyFrom" to "Compra da", + "bisqEasy.component.amount.baseSide.tooltip.buyer.btcAmount" to "Questo è l'importo in Bitcoin da ricevere", + "bisqEasy.takeOffer.bitcoinPaymentData.warning.LN" to "La fattura Lightning che hai inserito sembra essere non valida.\n\nSe sei sicuro che la fattura sia valida, puoi ignorare questo avviso e procedere.", + "bisqEasy.tradeWizard.review.takeOfferSuccessButton" to "Mostra la compravendita in 'Compravendite Aperte'", + "bisqEasy.tradeGuide.process.steps" to "1. Il venditore e l'acquirente scambiano i dettagli dell'account. Il venditore invia i dati di pagamento (ad es., numero di conto bancario) all'acquirente e l'acquirente invia il proprio indirizzo Bitcoin (o la fattura Lightning) al venditore.\n2. Successivamente, l'acquirente avvia il pagamento Fiat al conto del venditore. Una volta ricevuto il pagamento, il venditore confermerà la ricezione.\n3. Il venditore poi invia il Bitcoin all'indirizzo dell'acquirente e condivide l'ID della transazione (opzionalmente anche l'immagine predefinita nel caso venga utilizzato Lightning). L'interfaccia utente visualizzerà lo stato di conferma. Una volta confermato, il commercio è completato con successo.", + "bisqEasy.openTrades.rejectTrade.warning" to "Dato che lo scambio dei dettagli del conto non è ancora iniziato, rifiutare la negoziazione non costituisce una violazione delle regole di scambio.\n\nSe hai domande o incontri problemi, non esitare a contattare il tuo partner di scambio o a cercare assistenza nella sezione 'Supporto'.\n\nSei sicuro di voler rifiutare la negoziazione?", + "bisqEasy.tradeWizard.price.subtitle" to "Questo può essere definito come un prezzo percentuale che varia con il prezzo di mercato o un prezzo fisso.", + "bisqEasy.openTrades.tradeLogMessage.rejected" to "{0} ha rifiutato la negoziazione", + "bisqEasy.tradeState.header.tradeId" to "ID compravendita", + "bisqEasy.topPane.filter" to "Filtrare il libro degli ordini", + "bisqEasy.tradeWizard.review.priceDetails.fix" to "Prezzo fisso. {0} {1} prezzo di mercato di {2}", + "bisqEasy.tradeWizard.amount.description.maxAmount" to "Imposta il valore massimo per la quantità", + "bisqEasy.tradeState.info.buyer.phase2b.info" to "Una volta che il venditore ha ricevuto il tuo pagamento di {0}, inizierà il pagamento in Bitcoin al tuo {1} fornito.", + "bisqEasy.tradeState.info.seller.phase3a.sendBtc" to "Invia {0} al compratore", + "bisqEasy.onboarding.left.headline" to "Consigliato per i principianti", + "bisqEasy.takeOffer.paymentMethods.headline.bitcoin" to "Quale metodo di regolamento vuoi utilizzare?", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.mostOffers" to "Più offerte", + "bisqEasy.tradeState.header.send" to "Importo da inviare", + "bisqEasy.tradeWizard.review.noTradeFees" to "Nessuna commissione di compravendita su Bisq Easy", + "bisqEasy.tradeWizard.directionAndMarket.sell" to "Vendi Bitcoin", + "bisqEasy.tradeState.info.phase3b.balance.help.confirmed" to "La transazione è confermata", + "bisqEasy.tradeWizard.directionAndMarket.feedback.backToBuy" to "Indietro", + "bisqEasy.tradeWizard.review.price" to "{0} <{1} style=trade-wizard-review-code>", + "bisqEasy.openTrades.table.makerTakerRole.maker" to "Creatore", + "bisqEasy.tradeWizard.review.priceDetails.fix.atMarket" to "Prezzo fisso. Uguale al prezzo di mercato di {0}", + "bisqEasy.tradeCompleted.tableTitle" to "Riepilogo", + "bisqEasy.tradeWizard.market.headline.seller" to "In quale valuta vuoi ricevere il pagamento?", + "bisqEasy.tradeCompleted.body.date" to "Data", + "bisqEasy.tradeWizard.review.paymentMethodDescriptions.btc.taker" to "Seleziona il metodo di pagamento in Bitcoin", + "bisqEasy.tradeState.info.seller.phase3b.confirmButton.ln" to "Completa il commercio", + "bisqEasy.tradeState.info.seller.phase2b.headline" to "Controlla se hai ricevuto {0}", + "bisqEasy.price.feedback.learnWhySection.description.exposition" to "- Costruire una reputazione che può essere costosa.- Il venditore deve pagare le commissioni di minazione.- Il venditore è la guida utile nel processo di scambio, investendo quindi più tempo.", + "bisqEasy.takeOffer.amount.buyer.limitInfoAmount" to "{0}.", + "bisqEasy.tradeState.info.buyer.phase2a.headline" to "Invia {0} all'account di pagamento del venditore", + "bisqEasy.price.feedback.learnWhySection.title" to "Perché dovrei pagare un prezzo più alto al venditore?", + "bisqEasy.offerbook.offerList.table.columns.price.tooltip.floatPrice" to "Prezzo percentuale {0}\nCon prezzo di mercato attuale: {1}", + "bisqEasy.takeOffer.review.price.price" to "Prezzo di compravendita", + "bisqEasy.tradeState.paymentProof.LN" to "Preimmagine", + "bisqEasy.openTrades.table.settlementMethod" to "Regolamento", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.description.question" to "Vuoi accettare questo nuovo prezzo o vuoi rifiutare/annullare* la negoziazione?", + "bisqEasy.takeOffer.tradeLogMessage" to "{0} ha inviato un messaggio per accettare l'offerta di {1}", + "bisqEasy.openTrades.cancelled.self" to "Hai annullato la compravendita", + "bisqEasy.component.amount.baseSide.tooltip.btcAmount.marketPrice" to "Questo è l'importo in Bitcoin con l'attuale prezzo di mercato.", + "bisqEasy.tradeGuide.security" to "Sicurezza", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.description.disclaimer" to "(*Nota che in questo caso specifico, annullare la negoziazione NON sarà considerato una violazione delle regole di trading.)", + "bisqEasy.tradeState.info.buyer.phase3b.headline.ln" to "Il venditore ha inviato il Bitcoin tramite Lightning Network", + "bisqEasy.mediation.request.feedback.headline" to "Mediazione richiesta", + "bisqEasy.tradeState.requestMediation" to "Richiedi mediazione", + "bisqEasy.price.warn.invalidPrice.exception" to "Il prezzo inserito non è valido.\n\nMessaggio di errore: {0}", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.goBack.info" to "Torna alle schermate precedenti e cambia la selezione", + "bisqEasy.offerbook.marketListCell.numOffers.tooltip.one" to "{0} offerta è disponibile sul mercato {1}", + "bisqEasy.tradeGuide.process.content" to "Quando decidi di accettare un'offerta, avrai la flessibilità di scegliere tra le opzioni disponibili fornite dall'offerta. Prima di iniziare la negoziazione, ti verrà presentata una panoramica riassuntiva per la tua revisione.\nUna volta avviata la negoziazione, l'interfaccia utente ti guiderà attraverso il processo di negoziazione, che consiste nei seguenti passaggi:", + "bisqEasy.openTrades.csv.txIdOrPreimage" to "ID Transazione/Preimage", + "bisqEasy.tradeState.info.buyer.phase1a.walletHelpButton" to "Apri guida al portafoglio", + "bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo" to "Per l'importo massimo di {0} ci {1} con abbastanza Reputazione per accettare la tua offerta.", + "bisqEasy.tradeWizard.review.chatMessage.floatPrice.above" to "{0} sopra il prezzo di mercato", + "bisqEasy.tradeWizard.selectOffer.headline.buyer" to "Compra bitcoin per {0}", + "bisqEasy.tradeWizard.review.chatMessage.fixPrice" to "{0}", + "bisqEasy.tradeState.info.phase3b.button.next" to "Avanti", + "bisqEasy.tradeWizard.review.toReceive" to "Importo da ricevere", + "bisqEasy.tradeState.info.seller.phase1.tradeLogMessage" to "{0} ha inviato i dati del conto di pagamento:\n{1}", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.noReputationNeededForMaxOrFixedAmount.info" to "Data l'importo ridotto di {0}, i requisiti di Reputazione sono allentati.\nPer importi fino a {1}, i venditori con Reputazione insufficiente o assente possono accettare l'offerta.\n\nAssicurati di comprendere appieno i rischi quando commerci con un venditore senza o con Reputazione insufficiente. Se non vuoi essere esposto a quel rischio, scegli un importo superiore a {2}.", + "bisqEasy.tradeCompleted.body.tradeFee" to "Commissione di trading", + "bisqEasy.tradeWizard.review.nextButton.takeOffer" to "Conferma la compravendita", + "bisqEasy.openTrades.chat.peerLeft.headline" to "{0} ha lasciato la transazione", + "bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.headline" to "Invio del messaggio di accettazione offerta", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.headline.MAIN_CHAIN" to "Inserisci il tuo indirizzo Bitcoin", + "bisqEasy.offerbook.marketListCell.numOffers.tooltip.many" to "{0} offerte sono disponibili sul mercato {1}", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.prompt.LN" to "Inserisci la preimmagine se disponibile", + "bisqEasy.mediation.requester.tradeLogMessage" to "{0} ha richiesto la mediazione", + "bisqEasy.tradeWizard.review.table.baseAmount.buyer" to "Ricevi", + "bisqEasy.tradeWizard.review.table.price" to "Prezzo in {0}", + "bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.paymentProof.MAIN_CHAIN" to "ID della transazione", + "bisqEasy.component.amount.baseSide.tooltip.bestOfferPrice" to "Questo è l'importo in Bitcoin con il miglior prezzo\ndalle offerte corrispondenti: {0}", + "bisqEasy.tradeWizard.review.headline.maker" to "Rivedi l'offerta", + "bisqEasy.openTrades.reportToMediator" to "Segnala al mediatore", + "bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.info" to "Non chiudere la finestra o l'applicazione fino a quando non vedi la conferma che la richiesta di accettazione dell'offerta è stata inviata con successo.", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.sortTitle" to "Ordina per:", + "bisqEasy.tradeWizard.review.priceDescription.taker" to "Prezzo di compravendita", + "bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.subTitle" to "L'invio del messaggio di accettazione offerta può richiedere fino a 2 minuti", + "bisqEasy.walletGuide.receive.headline" to "Come ricevere bitcoin nel tuo portafoglio", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.headline" to "Nessuna offerta corrispondente trovata", + "bisqEasy.walletGuide.tabs.headline" to "Guida al portafoglio", + "bisqEasy.offerbook.offerList.table.columns.fiatAmount" to "{0} importo", + "bisqEasy.takeOffer.makerBanned.warning" to "Il creatore di questa offerta è stato bannato. Si prega di provare ad utilizzare un'offerta diversa.", + "bisqEasy.price.feedback.learnWhySection.closeButton" to "Torna al Prezzo di Scambio", + "bisqEasy.tradeWizard.review.feeDescription" to "Commissioni", + "bisqEasy.takeOffer.amount.buyer.limitInfo.minAmountCovered.overlay.info" to "Il Punteggio di Reputazione del venditore di {0} offre sicurezza fino a {1}.\n\nSe scegli un importo più alto, assicurati di essere pienamente consapevole dei rischi associati. Il modello di sicurezza di Bisq Easy si basa sulla Reputazione del venditore, poiché l'acquirente è tenuto a inviare prima la valuta fiat.", + "bisqEasy.tradeWizard.review.paymentMethodDescriptions.btc.maker" to "Metodi di pagamento in Bitcoin", + "bisqEasy.tradeWizard.review.headline.taker" to "Rivedi la compravendita", + "bisqEasy.takeOffer.review.takeOfferSuccess.headline" to "Hai accettato l'offerta con successo", + "bisqEasy.openTrades.failedAtPeer.popup" to "La compravendita del partner è fallita a causa di un errore.\nErrore causato da: {0}\n\nTraccia dello stack: {1}", + "bisqEasy.tradeCompleted.header.myDirection.seller" to "Ho venduto", + "bisqEasy.tradeState.info.buyer.phase1b.headline" to "Attendi i dati dell'account di pagamento del venditore", + "bisqEasy.price.feedback.sentence.some" to "alcune", + "bisqEasy.component.amount.baseSide.tooltip.seller.btcAmount" to "Questo è l'importo in Bitcoin da spendere", + "bisqEasy.offerDetails.headline" to "Dettagli dell'offerta", + "bisqEasy.openTrades.cancelTrade" to "Annulla la transazione", + "bisqEasy.tradeState.info.phase3b.button.next.noOutputForAddress" to "Nessun output corrispondente trovato per l'indirizzo ''{0}'' nella transazione ''{1}''.\n\nSei riuscito a risolvere questo problema con il tuo partner di scambio?\nSe non lo hai fatto, puoi considerare di richiedere una mediazione per aiutarti a risolvere la questione.", + "bisqEasy.price.tradePrice.title" to "Prezzo fisso", + "bisqEasy.openTrades.table.mediator" to "Mediatore", + "bisqEasy.offerDetails.makersTradeTerms" to "Termini di compravendita del creatore", + "bisqEasy.openTrades.chat.attach.tooltip" to "Ripristina la chat nella finestra principale", + "bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMax" to "Il punteggio di reputazione del venditore è solo {0}. Non è consigliato scambiare più di", + "bisqEasy.privateChats.table.myUser" to "Il mio profilo", + "bisqEasy.tradeState.info.phase4.exportTrade" to "Esporta dati della compravendita", + "bisqEasy.takeOffer.amount.buyer.limitInfo.minAmountNotCovered" to "Il punteggio di reputazione del venditore di {0} non fornisce una sicurezza sufficiente per quell'offerta.", + "bisqEasy.tradeWizard.selectOffer.subHeadline" to "Si raccomanda di fare affari con utenti con alta reputazione.", + "bisqEasy.topPane.filter.offersOnly" to "Mostra solo le offerte nel libro delle offerte di Bisq Easy", + "bisqEasy.tradeWizard.review.nextButton.createOffer" to "Crea offerta", + "bisqEasy.offerbook.offerList.table.filters.paymentMethods.clearFilters" to "Cancella filtri", + "bisqEasy.openTrades.noTrades" to "Non hai nessuna transazione aperta", + "bisqEasy.tradeState.info.seller.phase2b.info" to "Visita il tuo conto bancario o l'app del fornitore di pagamenti per confermare la ricezione del pagamento del compratore.", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.prompt.MAIN_CHAIN" to "Inserisci il tuo indirizzo Bitcoin", + "bisqEasy.tradeWizard.amount.seller.limitInfoAmount" to "{0}.", + "bisqEasy.openTrades.welcome.headline" to "Benvenuto al tuo primo scambio su Bisq Easy!", + "bisqEasy.takeOffer.amount.description.limitedByTakersReputation" to "Il tuo Punteggio di Reputazione di {0} ti consente di scegliere un importo di scambio\ntra {1} e {2}", + "bisqEasy.tradeState.info.seller.phase1.buttonText" to "Invia dati dell'account", + "bisqEasy.tradeState.info.phase3b.txId.failed" to "La ricerca della transazione su ''{0}'' non è riuscita con {1}: ''{2}''", + "bisqEasy.component.amount.baseSide.tooltip.taker.offerPrice" to "con il prezzo dell'offerta: {0}", + "bisqEasy.takeOffer.review.takeOfferSuccessButton" to "Mostra compravendita nella sezione 'Compravendite Aperte'", + "bisqEasy.walletGuide.createWallet.headline" to "Come creare il tuo nuovo portafoglio", + "bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.noProofProvided" to "{0} ha avviato il pagamento in Bitcoin.", + "bisqEasy.walletGuide.intro.headline" to "Preparati a ricevere i tuoi primi bitcoin", + "bisqEasy.openTrades.rejected.self" to "Hai rifiutato la compravendita", + "bisqEasy.takeOffer.amount.headline.buyer" to "Quanto vuoi spendere?", + "bisqEasy.tradeState.header.receive" to "Importo da ricevere", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.title" to "Attenzione al Cambio di Prezzo!", + "bisqEasy.offerDetails.priceValue" to "{0} (premio: {1})", + "bisqEasy.tradeWizard.review.chatMessage.floatPrice.below" to "{0} sotto il prezzo di mercato", + "bisqEasy.tradeState.info.seller.phase1.headline" to "Invia i tuoi dati dell'account di pagamento al compratore", + "bisqEasy.tradeWizard.market.columns.numPeers" to "Peer online", + "bisqEasy.tradeState.info.phase3b.button.next.amountNotMatching.resolved" to "Ho risolto il problema", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.favourites" to "Solo preferiti", + "bisqEasy.openTrades.table.me" to "Io", + "bisqEasy.tradeCompleted.header.tradeId" to "ID della compravendita", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.description.MAIN_CHAIN" to "Indirizzo Bitcoin", + "bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.linkToWikiText" to "Per ulteriori dettagli sul sistema di Reputazione, visita il Wiki di Bisq all'indirizzo:", + "bisqEasy.openTrades.table.tradePeer" to "Partner", + "bisqEasy.price.feedback.learnWhySection.openButton" to "Perché?", + "bisqEasy.mediation.request.confirm.headline" to "Richiedi mediazione", + "bisqEasy.tradeWizard.review.paymentMethodDescription.btc" to "Metodo di pagamento in Bitcoin", + "bisqEasy.tradeWizard.paymentMethods.warn.tooLong" to "Il nome di un metodo di pagamento personalizzato non dovrebbe superare i 20 caratteri.", + "bisqEasy.walletGuide.download.link" to "Clicca qui per visitare la pagina di Bluewallet", + "bisqEasy.onboarding.right.info" to "Naviga nel registro delle offerte per trovare le migliori offerte o crea la tua offerta.", + "bisqEasy.component.amount.maxRangeValue" to "Max {0}", + "bisqEasy.tradeState.info.phase3b.balance.invalid.noOutputsForAddress" to "Nessun output corrispondente trovato nella transazione", + "bisqEasy.tradeWizard.review.priceDescription.maker" to "Prezzo dell'offerta", + "bisqEasy.takeOffer.paymentMethods.subtitle.fiat.buyer" to "Scegli un metodo di pagamento per trasferire {0}", + "bisqEasy.tradeGuide.security.headline" to "Quanto è sicuro negoziare su Bisq Easy?", + "bisqEasy.takeOffer.amount.buyer.limitInfo.overlay.linkToWikiText" to "Per saperne di più sul sistema di Reputazione, visita:", + "bisqEasy.walletGuide.receive.link2" to "Tutorial su Bluewallet di BTC Sessions", + "bisqEasy.walletGuide.receive.link1" to "Tutorial su Bluewallet di Anita Posch", + "bisqEasy.tradeWizard.progress.amount" to "Quantità", + "bisqEasy.offerbook.chatMessage.deleteOffer.confirmation" to "Sei sicuro di voler eliminare questa offerta?", + "bisqEasy.tradeWizard.review.priceDetails.float" to "Prezzo variabile. {0} {1} prezzo di mercato di {2}", + "bisqEasy.openTrades.welcome.info" to "Per favore, familiarizza con il concetto, il processo e le regole di scambio su Bisq Easy.\nDopo aver letto e accettato le regole di scambio, puoi iniziare a fare scambi.", + "bisqEasy.tradeState.info.seller.phase3a.fiatPaymentReceivedCheckBox" to "Ho confermato di aver ricevuto {0}", + "bisqEasy.offerbook" to "Registro delle offerte", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.description.LN" to "Fattura Lightning", + "bisqEasy.openTrades.table.makerTakerRole" to "Il mio ruolo", + "bisqEasy.tradeWizard.market.headline.buyer" to "In quale valuta vuoi pagare?", + "bisqEasy.tradeWizard.amount.limitInfo.overlay.headline" to "Limiti di importo per il trading basati sulla Reputazione", + "bisqEasy.tradeWizard.progress.takeOffer" to "Seleziona offerta", + "bisqEasy.tradeWizard.market.columns.numOffers" to "Nº di offerte", + "bisqEasy.offerbook.offerList.expandedList.tooltip" to "Comprimi Elenco Offerte", + "bisqEasy.openTrades.failedAtPeer" to "La compravendita del partner è fallita a causa di: {0}", + "bisqEasy.tradeState.info.buyer.phase3b.info.ln" to "Il trasferimento tramite Lightning Network è solitamente quasi istantaneo.\nSe non hai ricevuto il pagamento dopo 1 minuto, contatta il venditore nella chat del trade. In alcuni casi i pagamenti falliscono e devono essere ripetuti.", + "bisqEasy.takeOffer.amount.buyer.limitInfo.learnMore" to "Scopri di più", + "bisqEasy.takeOffer.paymentMethods.subtitle.fiat.seller" to "Scegli un metodo di pagamento per ricevere {0}", + "bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo.leadLine" to "Poiché il tuo importo min. è inferiore a {0}, i venditori senza Reputazione possono accettare la tua offerta.", + "bisqEasy.walletGuide.open" to "Apri la guida al portafoglio", + "bisqEasy.tradeState.info.seller.phase3a.btcSentButton" to "Confermo di aver inviato {0}", + "bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMax.overlay.info" to "Il Punteggio di Reputazione del venditore di {0} non offre sufficiente sicurezza. Tuttavia, per importi di scambio inferiori (fino a {1}), i requisiti di reputazione sono più flessibili.\n\nSe decidi di procedere nonostante la mancanza di Reputazione del venditore, assicurati di essere pienamente consapevole dei rischi associati. Il modello di sicurezza di Bisq Easy si basa sulla Reputazione del venditore, poiché l'acquirente è tenuto a inviare prima la valuta fiat.", + "bisqEasy.tradeState.paymentProof.MAIN_CHAIN" to "ID della transazione", + "bisqEasy.takeOffer.paymentMethods.subtitle.bitcoin.seller" to "Scegli un metodo di regolamento per inviare Bitcoin", + "bisqEasy.offerbook.offerList.table.filters.showMyOffersOnly" to "Solo le mie offerte", + "bisqEasy.component.amount.baseSide.tooltip.buyerInfo" to "I venditori possono chiedere un prezzo più alto poiché hanno costi per acquisire reputazione.\nUn premio del 5-15% sul prezzo è comune.", + "bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.scoreTooLow" to "Il tuo Punteggio di Reputazione di {0} non offre sufficiente sicurezza per gli acquirenti.\n\nGli acquirenti che considerano di accettare la tua offerta riceveranno un avviso sui potenziali rischi quando accettano la tua offerta.\n\nPuoi trovare informazioni su come aumentare la tua Reputazione in ''Reputazione/Costruisci Reputazione''.", + "bisqEasy.tradeState.info.phase3b.button.next.amountNotMatching" to "L'importo dell'output per l'indirizzo ''{0}'' nella transazione ''{1}'' è ''{2}'', che non corrisponde all'importo dello scambio di ''{3}''.\n\nSei riuscito a risolvere questo problema con il tuo partner di scambio?\nSe non lo hai fatto, puoi considerare di richiedere una mediazione per aiutarti a risolvere la questione.", + "bisqEasy.tradeState.info.buyer.phase3b.balance" to "Bitcoin ricevuti", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.overlay.info" to "Data l'importo minimo ridotto di {0}, i requisiti di Reputazione sono allentati.\nPer importi fino a {1}, i venditori non hanno bisogno di Reputazione.\n\nNella schermata ''Seleziona Offerta'' è consigliato scegliere venditori con una Reputazione più alta.", + "bisqEasy.tradeWizard.review.toPay" to "Importo da pagare", + "bisqEasy.takeOffer.review.headline" to "Rivedere la compravendita", + "bisqEasy.openTrades.table.makerTakerRole.taker" to "Accettante", + "bisqEasy.openTrades.chat.attach" to "Riattacca", + "bisqEasy.tradeWizard.amount.addMinAmountOption" to "Aggiungi intervallo min/max per l'importo", + "bisqEasy.tradeWizard.paymentMethods.warn.noBtcSettlementMethodSelected" to "Per favore scegli almeno un metodo di regolamento Bitcoin.", + "bisqEasy.takeOffer.paymentMethods.subtitle.bitcoin.buyer" to "Scegli un metodo di regolamento per ricevere Bitcoin", + "bisqEasy.openTrades.table.paymentMethod" to "Pagamento", + "bisqEasy.takeOffer.review.noTradeFees" to "Nessuna commissione di compravendita su Bisq Easy", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.tooltip" to "Scansiona il codice QR utilizzando la tua webcam", + "bisqEasy.tradeWizard.review.paymentMethodDescriptions.fiat.maker" to "Metodi di pagamento Fiat", + "bisqEasy.tradeWizard.review.chatMessage.peerMessageTitle.sell" to "Vendi Bitcoin a", + "bisqEasy.onboarding.left.info" to "L'assistente di compravendita ti guida attraverso la tua prima compravendita di bitcoin. I venditori di bitcoin ti aiuteranno se hai qualche domanda.", + "bisqEasy.offerbook.offerList.collapsedList.tooltip" to "Espandi Elenco Offerte", + "bisqEasy.price.feedback.sentence.low" to "basse", + "bisqEasy.tradeState.info.seller.phase3b.info.MAIN_CHAIN" to "Il pagamento Bitcoin richiede almeno 1 conferma sulla blockchain per essere considerato completo.", + "bisqEasy.tradeWizard.review.toSend" to "Importo da inviare", + "bisqEasy.tradeState.info.seller.phase1.accountData.prompt" to "Inserisci i tuoi dati dell'account di pagamento. Ad es. IBAN, BIC e nome del titolare dell'account", + "bisqEasy.tradeWizard.review.chatMessage.myMessageTitle" to "La mia offerta di {0} Bitcoin", + "bisqEasy.tradeWizard.directionAndMarket.feedback.headline" to "Come guadagnare reputazione?", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.info" to "Per offerte fino a {0}, i requisiti di Reputazione sono allentati.", + "bisqEasy.tradeWizard.review.createOfferSuccessButton" to "Mostra la mia offerta nel 'Libro delle Offerte'", + "bisqEasy.tradeWizard.review.takeOfferSuccess.subTitle" to "Per favore, contatta la controparte in 'Compravendite Aperte'.\nLì troverai ulteriori informazioni sui prossimi passi.\n\nAssicurati di controllare regolarmente l'applicazione Bisq per eventuali nuovi messaggi della controparte.", + "bisqEasy.mediation.request.confirm.openMediation" to "Apri mediazione", + "bisqEasy.price.tradePrice.inputBoxText" to "Prezzo di scambio in {0}", + "bisqEasy.tradeGuide.rules.content" to "- Prima dello scambio dei dettagli dell'account tra il venditore e l'acquirente, ciascuna parte può annullare la transazione senza fornire giustificazione.\n- I trader dovrebbero controllare regolarmente le loro transazioni per nuovi messaggi e devono rispondere entro 24 ore.\n- Una volta scambiati i dettagli dell'account, il mancato rispetto degli obblighi di scambio è considerato una violazione del contratto di scambio e potrebbe comportare un divieto dalla rete Bisq. Questo non si applica se il partner di scambio non risponde.\n- Durante il pagamento Fiat, l'acquirente NON DEVE includere termini come 'Bisq' o 'Bitcoin' nel campo 'motivo del pagamento'. I trader possono concordare un identificatore, come una stringa casuale tipo 'H3TJAPD', per associare il bonifico bancario allo scambio.\n- Se lo scambio non può essere completato immediatamente a causa di tempi di trasferimento Fiat più lunghi, entrambi i trader devono essere online almeno una volta al giorno per monitorare il progresso dello scambio.\n- Nel caso in cui i trader incontrino problemi irrisolti, hanno la possibilità di invitare un mediatore nella chat di scambio per assistenza.\n\nSe hai domande o hai bisogno di assistenza, non esitare a visitare le stanze di chat accessibili nel menu 'Supporto'. Buon trading!", + "bisqEasy.offerbook.offerList.table.columns.peerProfile" to "Profilo Peer", + "bisqEasy.tradeState.info.phase3b.balance.invalid.amountNotMatching" to "L'importo dell'output dalla transazione non corrisponde all'importo dello scambio", + "bisqEasy.tradeWizard.review.chatMessage.peerMessage.buy" to "Compra Bitcoin da {0}\nImporto: {1}\nMetodo/i di pagamento in Bitcoin: {2}\nMetodo/i di pagamento Fiat: {3}\n{4}", + "bisqEasy.price.percentage.title" to "Prezzo percentuale", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.connecting" to "Connessione alla webcam in corso...", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.learnMore" to "Scopri di più", + "bisqEasy.tradeGuide.open" to "Apri la guida alla compravendita", + "bisqEasy.tradeState.info.phase3b.lightning.preimage" to "Preimmagine", + "bisqEasy.tradeWizard.review.table.baseAmount.seller" to "Spendi", + "bisqEasy.openTrades.cancelTrade.warning.buyer" to "Dal momento che il venditore ha già fornito le informazioni del suo conto di pagamento, annullare la transazione senza il consenso del venditore {0}", + "bisqEasy.tradeWizard.review.chatMessage.marketPrice" to "Prezzo di mercato", + "bisqEasy.tradeWizard.amount.seller.limitInfo.link" to "Scopri di più", + "bisqEasy.tradeState.info.seller.phase2a.waitForPayment.info" to "Una volta che il compratore ha iniziato il pagamento di {0}, sarai notificato.", + "bisqEasy.offerbook.offerList.table.columns.price.tooltip.fixPrice" to "Prezzo fisso: {0}\nPercentuale dal prezzo di mercato attuale: {1}", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.walletHelp" to "Se non hai ancora configurato un portafoglio, puoi trovare aiuto nella guida al portafoglio", + "bisqEasy.tradeGuide.security.content" to "- Il modello di sicurezza di Bisq Easy è ottimizzato per compravendita di piccoli importi.\n- Il modello dipende dalla reputazione del venditore, che di solito è un utente esperto di Bisq e si prevede che fornisca un supporto utile ai nuovi utenti.\n- Costruire la reputazione può essere costoso, portando a un premio di prezzo comune del 10-15% per coprire spese extra e compensare per il servizio del venditore.\n- Negoziazione con venditori senza reputazione comporta rischi significativi e dovrebbe essere effettuata solo se i rischi sono completamente compresi e gestiti.", + "bisqEasy.openTrades.csv.paymentMethod" to "Metodo di pagamento", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.button.accept" to "Accetta il prezzo", + "bisqEasy.openTrades.failed" to "La compravendita è fallita con il seguente messaggio di errore: {0}", + "bisqEasy.tradeState.info.seller.phase3b.headline.MAIN_CHAIN" to "In attesa di conferma blockchain", + "bisqEasy.tradeState.info.buyer.phase3a.info" to "Il venditore deve avviare il pagamento in Bitcoin al tuo {0} fornito.", + "bisqEasy.tradeState.info.seller.phase3b.headline.ln" to "Attendi la conferma del ricevimento del Bitcoin da parte dell'acquirente", + "bisqEasy.tradeState.phase4" to "Compravendita completata", + "bisqEasy.tradeWizard.review.detailsHeadline.taker" to "Dettagli della compravendita", + "bisqEasy.tradeState.phase3" to "Trasferimento Bitcoin", + "bisqEasy.tradeWizard.review.takeOfferSuccess.headline" to "Hai accettato l'offerta con successo", + "bisqEasy.tradeState.phase2" to "Pagamento in fiat", + "bisqEasy.tradeState.phase1" to "Dettagli dell'account", + "bisqEasy.mediation.request.feedback.msg" to "Una richiesta è stata inviata ai mediatori registrati.\n\nPer favore, abbi pazienza fino a quando un mediatore sarà online per unirsi alla chat di scambio e aiutare a risolvere qualsiasi problema.", + "bisqEasy.offerBookChannel.description" to "Canale di mercato per il trading {0}", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.failed" to "Connessione alla webcam non riuscita", + "bisqEasy.tradeGuide.welcome.content" to "Questa guida fornisce una panoramica generale degli aspetti essenziali per comprare o vendere bitcoin con Bisq Easy.\nIn questa guida, imparerai qual è modello di sicurezza utilizzato su Bisq Easy, otterrai informazioni sul processo di compravendita e familiarizzerai con le regole di compravendita.\n\nPer qualsiasi domanda aggiuntiva, sentiti libero di visitare le chat room disponibili nel menu 'Supporto'.", + "bisqEasy.offerDetails.quoteSideAmount" to "Quantità in {0}", + "bisqEasy.tradeState.info.seller.phase2a.waitForPayment.headline" to "Attendi il pagamento di {0} del compratore", + "bisqEasy.tradeState.info.buyer.phase2a.reasonForPaymentInfo" to "Si prega di lasciare vuoto il campo 'Motivo del pagamento' in caso di bonifico bancario", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.proceed" to "Ignora avviso", + "bisqEasy.offerbook.offerList.table.filters.paymentMethods.title" to "Pagamenti ({0})", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.browseOfferbook" to "Naviga nel registro delle offerte", + "bisqEasy.tradeState.info.seller.phase2b.fiatReceivedButton" to "Conferma ricezione di {0}", + "bisqEasy.tradeWizard.amount.seller.limitInfo.noReputationNeededForMaxOrFixedAmount" to "Per importi fino a {0} non è richiesta Reputazione.", + "bisqEasy.openTrades.csv.receiverAddressOrInvoice" to "Indirizzo del destinatario/Fattura", + "bisqEasy.tradeWizard.review.chatMessage.peerMessage.sell" to "Vendi Bitcoin a {0}\nImporto: {1}\nMetodo/i di pagamento in Bitcoin: {2}\nMetodo/i di pagamento Fiat: {3}\n{4}", + "bisqEasy.takeOffer.review.sellerPaysMinerFee" to "Il venditore paga il costo della transazione", + "bisqEasy.takeOffer.review.sellerPaysMinerFeeLong" to "Il venditore paga il costo della transazione", + "bisqEasy.tradeWizard.review.paymentMethodDescriptions.fiat.taker" to "Seleziona il metodo di pagamento Fiat", + "bisqEasy.tradeWizard.directionAndMarket.feedback.gainReputation" to "Impara a guadagnare reputazione", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.MAIN_CHAIN" to "L'ID della transazione che hai inserito sembra essere non valido.\n\nSe sei sicuro che l'ID della transazione sia valido, puoi ignorare questo avviso e procedere.", + "bisqEasy.tradeState.info.buyer.phase2a.quoteAmount" to "Importo da trasferire", + "bisqEasy.offerbook.marketListCell.favourites.tooltip.removeFromFavourites" to "Rimuovi dai preferiti", + "bisqEasy.offerbook.marketListCell.numOffers.tooltip.none" to "Non ci sono ancora offerte disponibili sul mercato {0}", + "bisqEasy.price.percentage.inputBoxText" to "Percentuale del prezzo di mercato tra -10% e 50%", + "bisqEasy.takeOffer.amount.seller.limitInfo.overlay.info.scoreTooLow" to "Per importi fino a {0}, i requisiti di reputazione sono allentati.\n\nIl tuo Punteggio di Reputazione di {1} non offre sufficiente sicurezza per l'acquirente. Tuttavia, dato il basso importo della transazione, l'acquirente ha accettato di assumersi il rischio.\n\nPuoi trovare informazioni su come aumentare la tua reputazione in ''Reputazione/Costruisci Reputazione''.", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.description.LN" to "Preimmagine (opzionale)", + "bisqEasy.takeOffer.bitcoinPaymentData.warning.MAIN_CHAIN" to "L'indirizzo Bitcoin che hai inserito sembra essere non valido.\n\nSe sei sicuro che l'indirizzo sia valido, puoi ignorare questo avviso e procedere.", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.goBack" to "Cambia selezione", + "bisqEasy.tradeWizard.amount.seller.wizard.numMatchingOffers.info" to "Ci sono {0} corrispondenti all'importo di scambio scelto.", + "bisqEasy.tradeState.bitcoinPaymentData.MAIN_CHAIN" to "Indirizzo Bitcoin", + "bisqEasy.onboarding.top.content1" to "Ottieni una rapida introduzione a Bisq Easy", + "bisqEasy.onboarding.top.content2" to "Scopri come funziona il processo di compravendita", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.description.MAIN_CHAIN" to "ID della transazione", + "bisqEasy.onboarding.top.content3" to "Impara le semplici regole della compravendita", + "bisqEasy.tradeState.header.peer" to "Controparte", + "bisqEasy.tradeState.info.phase3b.button.skip" to "Salta l'attesa della conferma del blocco", + "bisqEasy.openTrades.closeTrade.warning.completed" to "La sua compravendita è stata completata.\n\nOra può chiudere la compravendita o eseguire il backup dei dati della compravendita sul suo computer, se necessario.\n\nUna volta che la compravendita è chiusa, tutti i dati relativi alla compravendita vengono eliminati, e non può più comunicare con la controparte nella chat di compravendita.", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.noReputationNeededForMaxOrFixedAmount.riskInfo" to "Assicurati di comprendere appieno i rischi coinvolti.", + "bisqEasy.tradeState.info.buyer.phase1a.tradeLogMessage.LN" to "{0} ha inviato la fattura Lightning ''{1}''", + "bisqEasy.openTrades.cancelled.peer" to "La controparte ha annullato la compravendita", + "bisqEasy.tradeCompleted.header.myOutcome.seller" to "Ho ricevuto", + "bisqEasy.tradeWizard.review.chatMessage.offerDetails" to "Importo: {0}\nMetodo/i di pagamento in Bitcoin: {1}\nMetodo/i di pagamento Fiat: {2}\n{3}", + "bisqEasy.takeOffer.bitcoinPaymentData.warning.proceed" to "Ignora avviso", + "bisqEasy.takeOffer.review.detailsHeadline" to "Dettagli della compravendita", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.info" to "Un venditore che desidera accettare la tua offerta di {0}, deve avere un punteggio di reputazione di almeno {1}.\nRiducendo l'importo massimo della transazione, rendi la tua offerta accessibile a più venditori.", + "bisqEasy.tradeState.info.buyer.phase2a.tradeLogMessage" to "{0} ha avviato il pagamento {1}", + "bisqEasy.takeOffer.amount.seller.limitInfo.scoreTooLow" to "Poiché il tuo Punteggio di Reputazione è solo {0}, l'importo della tua transazione è limitato a", + "bisqEasy.tradeState.info.seller.phase3a.baseAmount" to "Importo da inviare", + "bisqEasy.takeOffer.review.takeOfferSuccess.subTitle" to "Contatta la controparte nella sezione 'Compravendite Aperte'.\nLì Troverai ulteriori informazioni per i prossimi passaggi.\n\nAssicurati di controllare regolarmente l'applicazione Bisq per eventuali nuovi messaggi della controparte.", + "bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.paymentProof.LN" to "Preimmagine", + "bisqEasy.tradeCompleted.body.txId.tooltip" to "Apri l'esploratore di blocchi per l'ID Transazione", + "bisqEasy.offerbook.marketListCell.numOffers.many" to "{0} offerte", + "bisqEasy.walletGuide.createWallet.content" to "Bluewallet ti permette di creare diversi portafogli per diversi scopi. Per ora, hai solo bisogno di avere un portafoglio. Una volta entrato in Bluewallet, vedrai un messaggio che suggerisce di aggiungere un nuovo portafoglio. Una volta fatto, inserisci un nome per il tuo portafoglio e scegli l'opzione *Bitcoin* nella sezione *Tipo*. Puoi lasciare tutte le altre opzioni come sono e cliccare su *Crea*.\n\nQuando passi al prossimo passo, ti verranno presentate 12 parole. Queste 12 parole sono il backup che ti permette di recuperare il tuo portafoglio se dovesse succedere qualcosa al tuo telefono. Scrivile su un pezzo di carta (non digitalmente) nello stesso ordine in cui vengono presentate, conserva questa carta in un luogo sicuro e assicurati che solo tu ne abbia accesso. Puoi leggere di più su come proteggere il tuo portafoglio nelle sezioni Learn di Bisq 2 dedicate ai portafogli e alla sicurezza.\n\nUna volta terminato, clicca su 'Ok, ho preso nota'.\nCongratulazioni! Hai creato il tuo portafoglio! Passiamo ora a come ricevere i tuoi bitcoin su di esso.", + "bisqEasy.tradeCompleted.body.tradeFee.value" to "Nessuna commissione di compravendita su Bisq Easy", + "bisqEasy.walletGuide.download.content" to "Ci sono molti portafogli che puoi utilizzare. In questa guida, ti mostreremo come usare Bluewallet. Bluewallet è ottimo e, allo stesso tempo, molto semplice, e puoi usarlo per ricevere il tuo Bitcoin da Bisq Easy.\n\nPuoi scaricare Bluewallet sul tuo telefono, indipendentemente dal fatto che tu abbia un dispositivo Android o iOS. Per farlo, puoi visitare la pagina ufficiale all'indirizzo 'bluewallet.io'. Una volta lì, clicca su App Store o Google Play a seconda del dispositivo che stai utilizzando.\n\nNota importante: per la tua sicurezza, assicurati di scaricare l'app dallo store ufficiale del tuo dispositivo. L'app ufficiale è fornita da 'Bluewallet Services, S.R.L.', e dovresti essere in grado di vederlo nel tuo store. Scaricare un portafoglio malevolo potrebbe mettere a rischio i tuoi fondi.\n\nInfine, una nota veloce: Bisq non è affiliato con Bluewallet in alcun modo. Ti suggeriamo di usare Bluewallet per la sua qualità e semplicità, ma ci sono molte altre opzioni sul mercato. Dovresti sentirti assolutamente libero di confrontare, provare e scegliere il portafoglio che meglio si adatta alle tue esigenze.", + "bisqEasy.tradeState.info.phase4.txId.tooltip" to "Apri transazione nel block explorer", + "bisqEasy.price.feedback.sentence" to "La tua offerta ha {0} possibilità di essere accettata a questo prezzo.", + "bisqEasy.takeOffer.paymentMethods.headline.fiatAndBitcoin" to "Quale metodo di pagamento e regolamento vuoi utilizzare?", + "bisqEasy.tradeWizard.paymentMethods.headline" to "Quali metodi di pagamento e regolamento vuoi utilizzare?", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.nameAZ" to "Nome A-Z", + "bisqEasy.tradeWizard.amount.buyer.limitInfo" to "Ci sono {0} nella rete con una Reputazione sufficiente per accettare un'offerta di {1}.", + "bisqEasy.tradeCompleted.header.myDirection.btc" to "btc", + "bisqEasy.tradeGuide.notConfirmed.warn" to "Per favore, leggi la guida alla compravendita e conferma di aver letto e capito le regole di compravendita.", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.info.leadLine" to "Ci sono {0} corrispondenze con l'importo di scambio scelto.", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.linkToWikiText" to "Per saperne di più sul sistema di Reputazione, visita:", + "bisqEasy.tradeState.info.seller.phase3b.info.ln" to "I trasferimenti tramite la Lightning Network sono solitamente quasi istantanei e affidabili. Tuttavia, in alcuni casi, i pagamenti possono fallire e necessitare di ripetizioni.\n\nPer evitare problemi, attendi che l'acquirente confermi la ricezione nella chat di scambio prima di chiudere la transazione, poiché dopo non sarà più possibile comunicare.", + "bisqEasy.tradeGuide.process" to "Processo", + "bisqEasy.tradeWizard.paymentMethods.warn.customNameMatchesPredefinedMethod" to "Il nome del tuo metodo di pagamento personalizzato non dovrebbe essere lo stesso di uno predefinito.", + "bisqEasy.tradeState.info.phase3b.balance.help.explorerLookup" to "Ricerca della transazione nel block explorer ''{0}''", + "bisqEasy.tradeWizard.progress.paymentMethods" to "Metodi di pagamento", + "bisqEasy.openTrades.table.quoteAmount" to "Quantità", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.filterTitle" to "Mostra mercati:", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.LN" to "La preimmagine che hai inserito sembra essere non valida.\n\nSe sei sicuro che la preimmagine sia valida, puoi ignorare questo avviso e procedere.", + "bisqEasy.tradeState.info.seller.phase1.accountData" to "I miei dati dell'account di pagamento", + "bisqEasy.price.feedback.sentence.good" to "buone", + "bisqEasy.takeOffer.review.method.fiat" to "Metodo di pagamento Fiat", + "bisqEasy.offerbook.offerList" to "Elenco Offerte", + "bisqEasy.offerDetails.baseSideAmount" to "Quantità di bitcoin", + "bisqEasy.tradeState.info.seller.phase3a.bitcoinPayment.description.MAIN_CHAIN" to "Indirizzo Bitcoin", + "bisqEasy.tradeState.info.phase3b.txId" to "ID transazione", + "bisqEasy.tradeWizard.review.paymentMethodDescription.fiat" to "Metodo di pagamento Fiat", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.prompt.MAIN_CHAIN" to "Inserisci l'ID della transazione Bitcoin", + "bisqEasy.tradeState.info.seller.phase3b.balance" to "Pagamento Bitcoin", + "bisqEasy.takeOffer.amount.headline.seller" to "Quanto vuoi negoziare?", + "bisqEasy.tradeWizard.paymentMethods.warn.maxMethodsReached" to "Non puoi aggiungere più di 4 metodi di pagamento.", + "bisqEasy.tradeCompleted.header.tradeWith" to "Scambia con", + ), + "reputation" to mapOf( + "reputation.burnBsq" to "Bruciare BSQ", + "reputation.signedWitness.import.step2.instruction" to "Copia l'ID del profilo per incollarlo su Bisq 1.", + "reputation.signedWitness.import.step4.instruction" to "Incolla i dati json dal passo precedente", + "reputation.buildReputation.accountAge.description" to "Gli utenti di Bisq 1 possono guadagnare Reputazione importando l'Età account da Bisq 1 in Bisq 2.", + "reputation.reputationScore.explanation.ranking.description" to "Classifica gli utenti dal punteggio più alto al più basso.\nCome regola generale quando si scambia: più alto è il rango, maggiore è la probabilità di un trade riuscito.", + "user.bondedRoles.type.MEDIATOR.how.inline" to "un mediatore", + "reputation.totalScore" to "Punteggio totale", + "user.bondedRoles.registration.requestRegistration" to "Richiedi registrazione", + "reputation.reputationScore" to "Punteggio di reputazione", + "reputation.signedWitness.info" to "Collegando il tuo 'testimone dell'età dell'account firmato' di Bisq 1 puoi fornire un certo livello di fiducia.\n\nCi sono alcune aspettative ragionevoli che un utente che ha negoziato su Bisq 1 e ha firmato il suo account sia un utente onesto. Ma questa aspettativa è debole rispetto ad altre forme di reputazione in cui l'utente fornisce più \"skin in the game\" con l'uso di risorse finanziarie.", + "user.bondedRoles.headline.roles" to "Ruoli garantiti", + "reputation.request.success" to "Autorizzazione richiesta con successo dal nodo ponte di Bisq 1\n\nI tuoi dati di reputazione dovrebbero essere ora disponibili nella rete.", + "reputation.bond.score.headline" to "Impatto sul punteggio di reputazione", + "user.bondedRoles.type.RELEASE_MANAGER.about.inline" to "responsabile rilascio", + "reputation.source.BISQ1_ACCOUNT_AGE" to "Età dell'account", + "reputation.table.columns.profileAge" to "Età del profilo", + "reputation.burnedBsq.info" to "Bruciando BSQ fornisci una prova di aver investito denaro nella tua reputazione.\nLa transazione Burn BSQ contiene l'hash della chiave pubblica del tuo profilo. In caso di comportamento fraudolento, il tuo profilo potrebbe essere bannato dai mediatori e il tuo investimento nella reputazione diventerebbe senza valore.", + "reputation.signedWitness.import.step1.instruction" to "Seleziona il profilo utente a cui vuoi allegare la reputazione.", + "reputation.signedWitness.totalScore" to "Età del testimone in giorni * peso", + "reputation.table.columns.details.button" to "Mostra dettagli", + "reputation.ranking" to "Classifica", + "reputation.accountAge.import.step2.profileId" to "ID del Profilo (Incolla sulla schermata del conto su Bisq 1)", + "reputation.accountAge.infoHeadline2" to "Implicazioni sulla privacy", + "user.bondedRoles.registration.how.headline" to "Come diventare {0}?", + "reputation.details.table.columns.lockTime" to "Tempo di blocco", + "reputation.buildReputation.learnMore.link" to "Wiki di Bisq.", + "reputation.reputationScore.explanation.intro" to "La Reputazione su Bisq2 è catturata in tre elementi:", + "reputation.score.tooltip" to "Punteggio: {0}\nClassifica: {1}", + "user.bondedRoles.cancellation.failed" to "Invio della richiesta di cancellazione non riuscito.\n\n{0}", + "reputation.accountAge.tab3" to "Importa", + "reputation.accountAge.tab2" to "Punteggio", + "reputation.score" to "Punteggio", + "reputation.accountAge.tab1" to "Perché", + "reputation.accountAge.import.step4.signedMessage" to "Messaggio Firmato da Bisq 1", + "reputation.request.error" to "Richiesta di autorizzazione fallita. Testo dagli appunti:\n{0}", + "reputation.signedWitness.import.step3.instruction1" to "3.1. - Apri Bisq 1 e vai a 'CONTO/CONTI VALUTA NAZIONALE'.", + "user.bondedRoles.type.MEDIATOR.about.info" to "Se ci sono conflitti in un trade di Bisq Easy, i trader possono richiedere l'aiuto di un mediatore.\nIl mediatore non ha poteri coercitivi e può solo cercare di assistere nella ricerca di una soluzione cooperativa. In caso di violazioni evidenti delle regole di trade o tentativi di truffa, il mediatore può fornire informazioni al moderatore per bannare il malintenzionato dalla rete.\nMediatori e arbitri di Bisq 1 possono diventare mediatori di Bisq 2 senza bloccare un nuovo BSQ bond.", + "reputation.signedWitness.import.step3.instruction3" to "3.3. - Questo creerà dati json con una firma del tuo ID Profilo Bisq 2 e li copierà negli appunti.", + "user.bondedRoles.table.columns.role" to "Ruolo", + "reputation.accountAge.import.step1.instruction" to "Seleziona il profilo utente a cui vuoi allegare la reputazione.", + "reputation.signedWitness.import.step3.instruction2" to "3.2. - Seleziona il conto più vecchio e clicca 'ESPORTA TESTIMONE FIRMATO PER BISQ 2'.", + "reputation.accountAge.import.step2.instruction" to "Copia l'ID del profilo per incollarlo su Bisq 1.", + "reputation.signedWitness.score.info" to "L'importazione del 'testimone di età del conto firmato' è considerata una forma debole di reputazione rappresentata dal fattore di peso. Il 'testimone di età del conto firmato' deve essere di almeno 61 giorni e c'è un limite di 2000 giorni per il calcolo del punteggio.", + "user.bondedRoles.type.SECURITY_MANAGER" to "Responsabile della sicurezza", + "reputation.accountAge.import.step4.instruction" to "Incolla la firma da Bisq 1", + "reputation.buildReputation.intro.part1.formula.footnote" to "* Convertito nella valuta utilizzata.", + "user.bondedRoles.type.SECURITY_MANAGER.about.inline" to "responsabile della sicurezza", + "user.bondedRoles.type.MARKET_PRICE_NODE.about.info" to "Il nodo del prezzo di mercato fornisce dati di mercato dall'aggregatore del prezzo di mercato di Bisq.", + "reputation.burnedBsq.score.headline" to "Impatto sul punteggio di reputazione", + "user.bondedRoles.type.MODERATOR.about.inline" to "moderatore", + "reputation.burnedBsq.infoHeadline" to "Interesse personale nel gioco", + "user.bondedRoles.type.ARBITRATOR.about.inline" to "arbitro", + "user.bondedRoles.registration.how.info.node" to "9. Copia il file 'default_node_address.json' dalla directory dati del nodo a cui desideri registrarti sul tuo hard disk e aprilo con il pulsante 'Importa indirizzo del nodo'.\n10. Clicca sul pulsante 'Richiedi registrazione'. Se tutto è stato corretto, la tua registrazione diventa visibile nella tabella Nodi di rete registrati.", + "user.bondedRoles.type.MODERATOR" to "Moderatore", + "reputation.buildReputation.intro.part2" to "Se un venditore pubblica un'offerta con un importo non coperto dal proprio punteggio di reputazione, l'acquirente vedrà un avviso sui potenziali rischi nell'accettare quell'offerta.", + "reputation.buildReputation.intro.part1" to "Il modello di sicurezza di Bisq Easy si basa sulla Reputazione del venditore. Questo perché durante una transazione l'acquirente invia prima l'importo in fiat, quindi il venditore deve fornire Reputazione per stabilire un certo livello di sicurezza.\nUn venditore può accettare offerte fino all'importo derivato dal proprio Punteggio di Reputazione.\nÈ calcolato come segue:", + "user.bondedRoles.type.SEED_NODE" to "Nodo seed", + "reputation.bond.infoHeadline2" to "Qual è l'importo raccomandato e il tempo di blocco?", + "reputation.bond.tab2" to "Punteggio", + "reputation.bond.tab1" to "Perché", + "reputation" to "Reputazione", + "user.bondedRoles.registration.showInfo" to "Mostra istruzioni", + "reputation.bond.tab3" to "Come fare", + "user.bondedRoles.table.columns.isBanned" to "E' bannato", + "reputation.burnedBsq.totalScore" to "Importo di Burned BSQ * peso * (1 + età / 365)", + "reputation.request" to "Autorizza richiesta", + "user.bondedRoles.type.MARKET_PRICE_NODE.how.inline" to "un operatore di nodi del prezzo di mercato", + "reputation.reputationScore.explanation.stars.title" to "Stelle", + "user.bondedRoles.type.MEDIATOR" to "Mediatore", + "reputation.buildReputation" to "Costruisci Reputazione", + "reputation.buildReputation.accountAge.title" to "Età dell'account", + "reputation.source.BSQ_BOND" to "Legame BSQ", + "reputation.table.columns.details.popup.headline" to "Dettagli della reputazione", + "user.bondedRoles.type.RELEASE_MANAGER.about.info" to "Un responsabile rilascio può inviare notifiche quando è disponibile un nuovo rilascio.", + "reputation.accountAge.infoHeadline" to "Fornire fiducia", + "reputation.accountAge.import.step4.title" to "Passo 4", + "user.bondedRoles.type.SEED_NODE.about.inline" to "operatore del nodo seed", + "reputation.sim.burnAmount.prompt" to "Inserisci l'importo BSQ", + "reputation.score.formulaHeadline" to "Il punteggio di reputazione è calcolato come segue:", + "reputation.buildReputation.accountAge.button" to "Scopri come importare l'età account", + "reputation.signedWitness.tab2" to "Punteggio", + "reputation.signedWitness.tab1" to "Perché", + "reputation.table.columns.reputation" to "Reputazione", + "user.bondedRoles.verification.howTo.instruction" to "1. Apri Bisq 1 e vai su 'DAO/Bonding/Bonded roles' e seleziona il ruolo con il nome utente del bond e il tipo di ruolo.\n2. Fai clic sul pulsante di verifica, copia l'ID del profilo e incollalo nel campo del messaggio.\n3. Copia la firma e incollala nel campo firma in Bisq 1.\n4. Fai clic sul pulsante di verifica. Se il controllo della firma ha successo, il ruolo con bond è valido.", + "reputation.signedWitness.tab3" to "Come fare", + "reputation.buildReputation.title" to "Come possono i venditori costruire la loro Reputazione?", + "reputation.buildReputation.bsqBond.button" to "Scopri come vincolare BSQ", + "reputation.burnedBsq.infoHeadline2" to "Qual è l'importo raccomandato da bruciare?", + "reputation.signedWitness.import.step4.signedMessage" to "Dati json da Bisq 1", + "reputation.buildReputation.burnBsq.button" to "Scopri come bruciare BSQ", + "reputation.accountAge.score.info" to "L'importazione dell''età dell'account' è considerata una forma piuttosto debole di reputazione, rappresentata dal fattore di peso basso.\nC'è un limite di 2000 giorni per il calcolo del punteggio.", + "reputation.reputationScore.intro" to "In questa sezione viene spiegata la Reputazione di Bisq in modo che tu possa prendere decisioni informate quando accetti un'offerta.", + "user.bondedRoles.registration.bondHolderName" to "Nome utente del possessore del bond", + "user.bondedRoles.type.SEED_NODE.about.info" to "Un nodo seed fornisce gli indirizzi di rete dei partecipanti alla rete per l'avvio della rete P2P di Bisq 2.\nQuesto è essenziale all'inizio quando il nuovo utente non ha ancora dati persistiti per connettersi ad altri peer.\nFornisce anche dati di rete P2P come messaggi di chat all'utente appena connesso. Anche altri nodi di rete svolgono questo servizio di consegna dati, ma i nodi seed, avendo una disponibilità 24 ore su 24 e un alto livello di qualità del servizio, garantiscono maggiore stabilità e migliori prestazioni, migliorando così l'esperienza di avvio.\nGli operatori dei nodi seed di Bisq 1 possono diventare operatori di nodi seed di Bisq 2 senza bloccare un nuovo BSQ bond.", + "reputation.table.headline" to "Classifica della reputazione", + "user.bondedRoles.type.SECURITY_MANAGER.how.inline" to "un responsabile della sicurezza", + "reputation.buildReputation.bsqBond.description" to "Simile al burning di BSQ ma utilizzando obbligazioni BSQ rimborsabili.\nBSQ deve essere vincolato per un minimo di 50.000 blocchi (circa 1 anno).", + "user.bondedRoles.registration.node.addressInfo.prompt" to "Importa il file 'default_node_address.json' dalla directory dati del nodo.", + "user.bondedRoles.registration.node.privKey" to "Chiave privata", + "user.bondedRoles.registration.headline" to "Richiedi registrazione", + "reputation.sim.lockTime" to "Tempo di blocco in blocchi", + "reputation.bond" to "Legami BSQ", + "user.bondedRoles.registration.signature.prompt" to "Incolla la firma del tuo ruolo con bond", + "reputation.buildReputation.burnBsq.title" to "Bruciare BSQ", + "user.bondedRoles.table.columns.node.address" to "Indirizzo", + "reputation.reputationScore.explanation.score.title" to "Punteggio", + "user.bondedRoles.type.MARKET_PRICE_NODE" to "Nodo prezzo di mercato", + "reputation.bond.info2" to "Il tempo di blocco deve essere di almeno 50 000 blocchi, che corrispondono a circa 1 anno per essere considerato un legame valido. L'importo può essere scelto dall'utente e determinerà il ranking rispetto ad altri venditori. I venditori con il punteggio di reputazione più alto avranno migliori opportunità di scambio e potranno ottenere un premio di prezzo più alto. Le migliori offerte classificate per reputazione saranno promosse nella selezione dell'offerta nella 'Trade wizard'.\n\nGli acquirenti possono accettare offerte solo da venditori con un punteggio di reputazione di almeno 30 000. Questo è il valore predefinito e può essere modificato nelle preferenze.\n\nSe un legame BSQ richiede troppo sforzo, considera le altre opzioni disponibili per costruire la reputazione.", + "reputation.accountAge.info2" to "Collegare il tuo account Bisq 1 a Bisq 2 ha alcune implicazioni sulla tua privacy. Per verificare la tua 'età dell'account', la tua identità di Bisq 1 viene collegata crittograficamente al tuo ID profilo Bisq 2.\nTuttavia, l'esposizione è limitata al 'nodo ponte Bisq 1' che è gestito da un collaboratore di Bisq che ha impostato un ruolo BSQ bond (ruolo legato).\n\nL'età dell'account è un'alternativa per coloro che non vogliono utilizzare BSQ bruciato o legami BSQ a causa del costo finanziario. L''età dell'account' dovrebbe essere di almeno diversi mesi per riflettere un certo livello di fiducia.", + "reputation.signedWitness.score.headline" to "Impatto sul punteggio di reputazione", + "reputation.accountAge.info" to "Collegando la tua 'età dell'account' di Bisq 1 puoi fornire un certo livello di fiducia.\n\nCi sono alcune aspettative ragionevoli che un utente che ha usato Bisq per un certo tempo sia un utente onesto. Ma questa aspettativa è debole rispetto ad altre forme di reputazione in cui l'utente fornisce prove più forti con l'uso di risorse finanziarie.", + "reputation.reputationScore.closing" to "Per ulteriori dettagli su come un venditore ha costruito la propria Reputazione, vedere la sezione 'Classifica' e fare clic su 'Mostra dettagli' nell'utente.", + "user.bondedRoles.cancellation.success" to "La richiesta di cancellazione è stata inviata con successo. Vedrai nella tabella sottostante se la richiesta di cancellazione è stata verificata con successo e il ruolo rimosso dall'operatore del nodo oracle.", + "reputation.buildReputation.intro.part1.formula.output" to "Importo massimo di scambio in USD *", + "reputation.buildReputation.signedAccount.title" to "Garante età account", + "reputation.signedWitness.infoHeadline" to "Fornire fiducia", + "user.bondedRoles.type.EXPLORER_NODE.about.info" to "Il nodo esploratore della blockchain viene utilizzato in Bisq Easy per la ricerca delle transazioni del pagamento Bitcoin.", + "reputation.buildReputation.signedAccount.description" to "Gli utenti di Bisq 1 possono guadagnare Reputazione importando l'età del loro account firmato da Bisq 1 in Bisq 2.", + "reputation.burnedBsq.score.info" to "Bruciare BSQ è considerato la forma più forte di Reputazione, rappresentata da un alto fattore di peso. Un incremento basato sul tempo viene applicato durante il primo anno, aumentando gradualmente il punteggio fino a raddoppiare il suo valore iniziale.", + "reputation.accountAge" to "Età dell'account", + "reputation.burnedBsq.howTo" to "1. Seleziona il profilo utente per cui desideri collegare la reputazione.\n2. Copia l'ID del profilo\n3. Apri Bisq 1 e vai a 'DAO/PROOF OF BURN' e incolla il valore copiato nel campo 'pre-image'.\n4. Inserisci l'importo di BSQ che desideri bruciare.\n5. Pubblica la transazione di Burn BSQ.\n6. Dopo la conferma della blockchain, la tua reputazione diventerà visibile nel tuo profilo.", + "user.bondedRoles.type.ARBITRATOR.how.inline" to "un arbitro", + "user.bondedRoles.type.RELEASE_MANAGER" to "Responsabile rilascio", + "reputation.bond.info" to "Impostando un legame BSQ fornisci una prova di aver bloccato denaro per acquisire reputazione.\nLa transazione BSQ Bond contiene l'hash della chiave pubblica del tuo profilo. In caso di comportamento fraudolento, il tuo legame potrebbe essere confiscato dal DAO e il tuo profilo potrebbe essere bannato dai mediatori.", + "reputation.weight" to "Peso", + "reputation.buildReputation.bsqBond.title" to "Vincolare BSQ", + "reputation.sim.age" to "Età in giorni", + "reputation.burnedBsq.howToHeadline" to "Processo per bruciare BSQ", + "reputation.bond.howToHeadline" to "Processo per impostare un legame BSQ", + "reputation.sim.age.prompt" to "Inserisci l'età in giorni", + "user.bondedRoles.type.SECURITY_MANAGER.about.info" to "Un responsabile della sicurezza può inviare un messaggio di allarme in caso di situazioni di emergenza.", + "reputation.bond.score.info" to "Impostare un vincolo BSQ è considerato una forma forte di Reputazione. Il tempo di blocco deve essere di almeno: 50 000 blocchi (circa 1 anno). Un incremento basato sul tempo viene applicato durante il primo anno, aumentando gradualmente il punteggio fino a raddoppiare il suo valore iniziale.", + "reputation.signedWitness" to "Garante età account", + "user.bondedRoles.registration.about.headline" to "Informazioni sul ruolo di {0}", + "user.bondedRoles.registration.hideInfo" to "Nascondi istruzioni", + "reputation.source.BURNED_BSQ" to "BSQ bruciato", + "reputation.buildReputation.learnMore" to "Scopri di più sul sistema di Reputazione di Bisq al", + "reputation.reputationScore.explanation.stars.description" to "Questa è una rappresentazione grafica del punteggio. Consulta la tabella di conversione qui sotto per capire come vengono calcolate le stelle.\nSi consiglia di fare trading con venditori che hanno il numero più alto di stelle.", + "reputation.burnedBsq.tab1" to "Perché", + "reputation.burnedBsq.tab3" to "Come fare", + "reputation.burnedBsq.tab2" to "Punteggio", + "user.bondedRoles.registration.node.addressInfo" to "Dati dell'indirizzo del nodo", + "reputation.buildReputation.signedAccount.button" to "Scopri come importare un conto firmato", + "user.bondedRoles.type.ORACLE_NODE.about.info" to "Il nodo Oracle è utilizzato per fornire dati Bisq 1 e DAO per casi d'uso di Bisq 2 come la reputazione.", + "reputation.buildReputation.intro.part1.formula.input" to "Punteggio di reputazione", + "reputation.signedWitness.import.step2.title" to "Passo 2", + "reputation.table.columns.reputationScore" to "Punteggio di reputazione", + "user.bondedRoles.table.columns.node.address.openPopup" to "Apri popup con i dati dell'indirizzo", + "reputation.sim.lockTime.prompt" to "Inserisci il tempo di blocco", + "reputation.sim.score" to "Punteggio totale", + "reputation.accountAge.import.step3.title" to "Passo 3", + "reputation.signedWitness.info2" to "Collegare il tuo account Bisq 1 con Bisq 2 ha delle implicazioni sulla tua privacy. Per verificare il tuo 'testimone di età del conto firmato', la tua identità di Bisq 1 viene collegata criptograficamente al tuo ID profilo Bisq 2.\nTuttavia, l'esposizione è limitata al 'nodo ponte di Bisq 1' gestito da un collaboratore di Bisq che ha impostato un BSQ bond (ruolo legato).\n\nIl testimone di età del conto firmato è un'alternativa per coloro che non vogliono utilizzare BSQ bruciati o BSQ bonds a causa dell'onere finanziario. Il 'testimone di età del conto firmato' deve essere di almeno 61 giorni per essere considerato per la reputazione.", + "user.bondedRoles.type.RELEASE_MANAGER.how.inline" to "un responsabile delle release", + "user.bondedRoles.table.columns.oracleNode" to "Operatore del nodo oracle", + "reputation.accountAge.import.step2.title" to "Passo 2", + "user.bondedRoles.type.MODERATOR.about.info" to "Gli utenti della chat possono segnalare violazioni delle regole della chat o del trade al moderatore.\nNel caso le informazioni fornite siano sufficienti a verificare una violazione delle regole, il moderatore può bannare quell'utente dalla rete.\nIn caso di violazioni gravi di un venditore che aveva guadagnato una sorta di reputazione, la reputazione diventa invalidata e i dati sorgente pertinenti (come la transazione DAO o i dati dell'età dell'account) verranno messi in blacklist in Bisq 2 e segnalati a Bisq 1 dall'operatore Oracle e l'utente verrà bannato anche su Bisq 1.", + "reputation.source.PROFILE_AGE" to "Età del profilo", + "reputation.bond.howTo" to "1. Seleziona il profilo utente per cui desideri collegare la reputazione.\n2. Copia l'ID del profilo\n3. Apri Bisq 1 e vai a 'DAO/BONDING/BONDED REPUTATION' e incolla il valore copiato nel campo 'salt'.\n4. Inserisci l'importo di BSQ che desideri bloccare e il tempo di blocco (50 000 blocchi).\n5. Pubblica la transazione di blocco.\n6. Dopo la conferma della blockchain, la tua reputazione diventerà visibile nel tuo profilo.", + "reputation.table.columns.details" to "Dettagli", + "reputation.details.table.columns.score" to "Punteggio", + "reputation.bond.infoHeadline" to "Pelle nel gioco", + "user.bondedRoles.registration.node.showKeyPair" to "Visualizza chiavi", + "user.bondedRoles.table.columns.userProfile.defaultNode" to "Operatore di nodo con chiave staticamente fornita", + "reputation.signedWitness.import.step1.title" to "Passo 1", + "user.bondedRoles.type.MODERATOR.how.inline" to "un moderatore", + "user.bondedRoles.cancellation.requestCancellation" to "Richiedi cancellazione", + "user.bondedRoles.verification.howTo.nodes" to "Come verificare un nodo di rete?", + "user.bondedRoles.registration.how.info" to "1. Seleziona il profilo utente che desideri utilizzare per la registrazione e crea un backup della tua directory dei dati.\n3. Presenta una proposta su 'https://github.com/bisq-network/proposals' per diventare {0} e aggiungi il tuo ID profilo alla proposta.\n4. Dopo che la tua proposta è stata esaminata e ha ottenuto il sostegno della comunità, fai una proposta DAO per un ruolo con bond.\n5. Después de que tu propuesta DAO sea aceptada en la votación DAO, bloquea el bono BSQ requerido.\n6. Después de que tu transacción de bono sea confirmada, ve a 'DAO/Bonding/Roles vinculados' en Bisq 1 y haz clic en el botón de firmar para abrir la ventana emergente de firma.\n7. Copia l''ID del profilo e incollalo nel campo del messaggio. Fai clic su firma e copia la firma. Incolla la firma nel campo firma di Bisq 2.\n8. Inserisci il nome utente del detentore del bond.\n{1}", + "reputation.accountAge.score.headline" to "Impatto sul punteggio di reputazione", + "user.bondedRoles.table.columns.userProfile" to "Profilo utente", + "reputation.accountAge.import.step1.title" to "Passo 1", + "reputation.signedWitness.import.step3.title" to "Passo 3", + "user.bondedRoles.registration.profileId" to "ID profilo", + "user.bondedRoles.type.ARBITRATOR" to "Arbitro", + "user.bondedRoles.type.ORACLE_NODE.how.inline" to "un operatore di nodi oracle", + "reputation.pubKeyHash" to "ID del profilo", + "reputation.reputationScore.sellerReputation" to "La Reputazione di un venditore è il miglior segnale\nper prevedere la probabilità di un commercio riuscito in Bisq Easy.", + "user.bondedRoles.table.columns.signature" to "Firma", + "user.bondedRoles.registration.node.pubKey" to "Chiave pubblica", + "user.bondedRoles.type.EXPLORER_NODE.about.inline" to "operatore del nodo esploratore", + "user.bondedRoles.table.columns.profileId" to "ID profilo", + "user.bondedRoles.type.MARKET_PRICE_NODE.about.inline" to "operatore del nodo prezzo di mercato", + "reputation.source.BISQ1_SIGNED_ACCOUNT_AGE_WITNESS" to "Testimone dell'età dell'account firmato", + "reputation.accountAge.import.step3.instruction1" to "3.1. - Apri Bisq 1 e vai su 'CONTO/CONTI VALUTA NAZIONALE'.", + "reputation.accountAge.import.step3.instruction2" to "3.2. - Seleziona il conto più vecchio e clicca 'ESPORTA CONTO'.", + "reputation.accountAge.import.step3.instruction3" to "3.3. - Questo aggiungerà un messaggio firmato con l'ID del Profilo di Bisq 2.", + "user.bondedRoles.table.columns.node.address.popup.headline" to "Dati dell'indirizzo del nodo", + "reputation.reputationScore.explanation.score.description" to "Questo è il punteggio totale che un venditore ha accumulato finora.\nIl punteggio può essere aumentato in diversi modi. Il modo migliore per farlo è bruciando o vincolando BSQ. Questo significa che il venditore ha messo in gioco una quota in anticipo e, di conseguenza, può essere considerato affidabile.\nUlteriori informazioni su come aumentare il punteggio possono essere trovate nella sezione 'Build Reputazione'.\nSi consiglia di fare trading con venditori che hanno il punteggio più alto.", + "reputation.details.table.columns.source" to "Tipo", + "reputation.sim.burnAmount" to "Importo BSQ", + "reputation.buildReputation.burnBsq.description" to "Questa è la forma più forte di Reputazione.\nIl punteggio guadagnato bruciando BSQ raddoppia durante il primo anno.", + "user.bondedRoles.registration.failed" to "Invio della richiesta di registrazione non riuscito.\n\n{0}", + "user.bondedRoles.type.ORACLE_NODE" to "Nodo Oracle", + "user.bondedRoles.table.headline.nodes" to "Nodi di rete registrati", + "user.bondedRoles.headline.nodes" to "Nodi di rete", + "user.bondedRoles.registration.bondHolderName.prompt" to "Inserisci il nome utente del possessore del bond di Bisq 1", + "reputation.burnedBsq.info2" to "Questo sarà determinato dalla concorrenza dei venditori. I venditori con il punteggio di reputazione più alto avranno migliori opportunità di scambio e potranno ottenere un premio di prezzo più alto. Le migliori offerte classificate per reputazione saranno promosse nella selezione dell'offerta nella 'Trade wizard'.\n\nGli acquirenti possono accettare offerte solo da venditori con un punteggio di reputazione di almeno 30 000. Questo è il valore predefinito e può essere modificato nelle preferenze.\n\nSe bruciare BSQ non è desiderabile, considera le altre opzioni disponibili per costruire la reputazione.", + "reputation.reputationScore.explanation.ranking.title" to "Classifica", + "reputation.sim.headline" to "Strumento di simulazione:", + "reputation.accountAge.totalScore" to "Età dell'account in giorni * peso", + "user.bondedRoles.table.columns.node" to "Nodo", + "user.bondedRoles.verification.howTo.roles" to "Come verificare un ruolo con bond?", + "reputation.signedWitness.import.step2.profileId" to "ID del Profilo (Incolla sulla schermata del conto su Bisq 1)", + "reputation.bond.totalScore" to "Importo BSQ * peso * (1 + età / 365)", + "user.bondedRoles.type.ORACLE_NODE.about.inline" to "operatore del nodo Oracle", + "reputation.table.columns.userProfile" to "Profilo utente", + "user.bondedRoles.registration.signature" to "Firma", + "reputation.table.columns.livenessState" to "Ultimo accesso", + "user.bondedRoles.table.headline.roles" to "Ruoli con bond registrati", + "reputation.signedWitness.import.step4.title" to "Passo 4", + "user.bondedRoles.type.EXPLORER_NODE" to "Nodo esploratore", + "user.bondedRoles.type.MEDIATOR.about.inline" to "mediatore", + "user.bondedRoles.type.EXPLORER_NODE.how.inline" to "un operatore di nodi esplorativi", + "user.bondedRoles.registration.success" to "La richiesta di registrazione è stata inviata con successo. Vedrai nella tabella sottostante se la registrazione è stata verificata e pubblicata con successo dall'operatore del nodo oracle.", + "reputation.signedWitness.infoHeadline2" to "Implicazioni sulla privacy", + "user.bondedRoles.type.SEED_NODE.how.inline" to "un operatore di nodi seed", + "reputation.buildReputation.headline" to "Costruisci Reputazione", + "reputation.reputationScore.headline" to "Punteggio di reputazione", + "user.bondedRoles.registration.node.importAddress" to "Importa indirizzo nodo", + "user.bondedRoles.registration.how.info.role" to "9. Clicca sul pulsante 'Richiedi registrazione'. Se tutto è stato corretto, la tua registrazione diventa visibile nella tabella Ruoli con bond registrati.", + "user.bondedRoles.table.columns.bondUserName" to "Nome utente del bond", + ), + "chat" to mapOf( + "chat.message.wasEdited" to "(modificato)", + "support.support.description" to "Canale per il supporto", + "chat.sideBar.userProfile.headline" to "Profilo utente", + "chat.message.reactionPopup" to "ha reagito con", + "chat.listView.scrollDown" to "Scorri verso il basso", + "chat.message.privateMessage" to "Invia messaggio privato", + "chat.notifications.offerTaken.message" to "ID della transazione: {0}", + "discussion.bisq.description" to "Canale pubblico per discussioni", + "chat.reportToModerator.info" to "Ti preghiamo di familiarizzare con le regole di scambio e di assicurarti che il motivo della segnalazione sia considerato una violazione di tali regole.\nPuoi leggere le regole di scambio e le regole della chat cliccando sull'icona del punto interrogativo nell'angolo in alto a destra nelle schermate della chat.", + "chat.notificationsSettingsMenu.all" to "Tutti i messaggi", + "chat.message.deliveryState.ADDED_TO_MAILBOX" to "Messaggio aggiunto alla casella postale del destinatario", + "chat.channelDomain.SUPPORT" to "Supporto", + "chat.sideBar.userProfile.ignore" to "Ignora", + "chat.sideBar.channelInfo.notifications.off" to "Spento", + "support.support.title" to "Assistenza", + "discussion.bitcoin.title" to "Bitcoin", + "chat.ignoreUser.warn" to "Selezionando 'Ignora utente' nasconderai effettivamente tutti i messaggi da questo utente.\n\nQuesta azione avrà effetto la prossima volta che entrerai nella chat.\n\nPer annullare questa azione, vai al menu delle opzioni aggiuntive > Informazioni canale > Partecipanti e seleziona 'Annulla ignora' accanto all'utente.", + "events.meetups.description" to "Canale per annunci riguardanti incontri", + "chat.message.deliveryState.FAILED" to "Invio del messaggio non riuscito.", + "chat.sideBar.channelInfo.notifications.all" to "Tutti i messaggi", + "discussion.bitcoin.description" to "Canale per discussioni su Bitcoin", + "chat.message.input.prompt" to "Scrivi un nuovo messaggio", + "chat.channelDomain.BISQ_EASY_OFFERBOOK" to "Bisq Easy", + "chat.message.takeOffer.buyer.makersReputationScoreTooLow.no" to "No, cerco un'altra offerta", + "chat.ellipsisMenu.tradeGuide" to "Guida allo scambio", + "chat.chatRules.content" to "- Sii rispettoso: Tratta gli altri gentilmente, evita linguaggio offensivo, attacchi personali e molestie.- Sii tollerante: Mantieni una mentalità aperta e accetta che gli altri possano avere punti di vista, background culturali ed esperienze differenti.- No spam: Evita di riempire la chat con messaggi ripetitivi o non pertinenti.- Nessuna pubblicità: Evita di promuovere prodotti commerciali, servizi o pubblicare link promozionali.- Nessun trolling: Comportamenti disruptivi e provocazioni intenzionali non sono graditi.- Nessuna impersonificazione: Non usare soprannomi che possano trarre in inganno gli altri facendo credere di essere una persona ben conosciuta.- Rispetta la privacy: Proteggi la tua e la privacy degli altri; non condividere dettagli sul commercio.- Segnala cattiva condotta: Segnala violazioni delle regole o comportamenti inappropriati al moderatore.- Goditi la chat: Partecipa a discussioni significative, fai amicizie e divertiti in una comunità amichevole e inclusiva.\n\nPartecipando alla chat, accetti di seguire queste regole.\nGravi violazioni delle regole possono comportare un ban dalla rete Bisq.", + "chat.messagebox.noChats.placeholder.description" to "Unisciti alla discussione su {0} per condividere i tuoi pensieri e fare domande.", + "chat.channelDomain.BISQ_EASY_OPEN_TRADES" to "Negoziazione Bisq Easy", + "chat.message.deliveryState.MAILBOX_MSG_RECEIVED" to "Messaggio della casella postale ricevuto dal destinatario", + "chat.message.takeOffer.buyer.makersReputationScoreTooLow.warning" to "Il punteggio di reputazione del venditore di {0} è al di sotto del punteggio richiesto di {1} per un importo di scambio di {2}.\n\nIl modello di sicurezza di Bisq Easy si basa sulla reputazione del venditore poiché l'acquirente deve inviare prima la valuta fiat. Se scegli di procedere con l'accettazione dell'offerta nonostante la mancanza di reputazione, assicurati di comprendere appieno i rischi coinvolti.\n\nPer saperne di più sul sistema di reputazione, visita: [HYPERLINK:https://bisq.wiki/Reputazione].\n\nVuoi continuare e accettare quell'offerta?", + "chat.message.input.send" to "Invia messaggio", + "chat.message.send.offerOnly.warn" to "Hai selezionato l'opzione 'Solo offerte'. I messaggi di testo normali non verranno visualizzati in quella modalità.\n\nVuoi cambiare la modalità per vedere tutti i messaggi?", + "chat.notificationsSettingsMenu.title" to "Opzioni di notifica:", + "chat.notificationsSettingsMenu.globalDefault" to "Usa predefinito", + "chat.privateChannel.message.leave" to "{0} ha lasciato la chat", + "chat.channelDomain.BISQ_EASY_PRIVATE_CHAT" to "Bisq Easy", + "chat.sideBar.userProfile.profileAge" to "Età del profilo", + "events.tradeEvents.description" to "Canale per annunci riguardanti eventi di trading", + "chat.sideBar.userProfile.mention" to "Menziona", + "chat.notificationsSettingsMenu.off" to "Disattivato", + "chat.private.leaveChat.confirmation" to "Sei sicuro di voler lasciare questa chat?\nPerderai l'accesso alla chat e tutte le informazioni sulla chat.", + "chat.reportToModerator.message.prompt" to "Inserisci il messaggio al moderatore", + "chat.message.resendMessage" to "Clicca per inviare nuovamente il messaggio.", + "chat.reportToModerator.headline" to "Segnala al moderatore", + "chat.sideBar.userProfile.livenessState" to "Ultima attività dell'utente", + "chat.privateChannel.changeUserProfile.warn" to "Ti trovi in un canale di chat privato creato con il profilo utente ''{0}''.\n\nNon puoi cambiare il profilo utente mentre ti trovi in quel canale di chat.", + "chat.message.contextMenu.ignoreUser" to "Ignora utente", + "chat.message.contextMenu.reportUser" to "Segnala utente al moderatore", + "chat.leave.info" to "Stai per lasciare questa chat.", + "chat.messagebox.noChats.placeholder.title" to "Inizia la conversazione!", + "support.questions.description" to "Canale per domande generali", + "chat.message.deliveryState.CONNECTING" to "Connessione al peer", + "chat.message.takeOffer.buyer.makersReputationScoreTooLow.yes" to "Sì, capisco il rischio e voglio continuare", + "discussion.markets.title" to "Mercati", + "chat.notificationsSettingsMenu.tooltip" to "Opzioni di notifica", + "chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.warning" to "Il punteggio di reputazione del venditore è {0}, che è al di sotto del punteggio richiesto di {1} per un importo di scambio di {2}.\n\nPoiché l'importo dello scambio è relativamente basso, i requisiti di reputazione sono stati allentati. Tuttavia, se scegli di procedere nonostante la reputazione insufficiente del venditore, assicurati di comprendere appieno i rischi associati. Il modello di sicurezza di Bisq Easy dipende dalla reputazione del venditore, poiché l'acquirente è tenuto a inviare prima la valuta fiat.\n\nPer saperne di più sul sistema di reputazione, visita: [HYPERLINK:https://bisq.wiki/Reputazione].\n\nVuoi ancora accettare l'offerta?", + "chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.yes" to "Sì, capisco il rischio e voglio continuare", + "chat.message.supportedLanguages" to "Lingue supportate:", + "chat.sideBar.userProfile.totalReputationScore" to "Punteggio totale della reputazione", + "chat.topMenu.chatRules.tooltip" to "Apri le regole della chat", + "support.reports.description" to "Canale per segnalazioni di frodi", + "events.podcasts.title" to "Podcast", + "chat.sideBar.userProfile.statement" to "Dichiarazione", + "chat.sideBar.userProfile.sendPrivateMessage" to "Invia messaggio privato", + "chat.sideBar.userProfile.undoIgnore" to "Annulla ignorazione", + "chat.channelDomain.DISCUSSION" to "Discussioni", + "chat.message.delete.differentUserProfile.warn" to "Questo messaggio di chat è stato creato con un altro profilo utente.\n\nVuoi eliminare il messaggio?", + "chat.message.moreOptions" to "Altre opzioni", + "chat.private.messagebox.noChats.title" to "{0} chat private", + "chat.reportToModerator.report" to "Segnala al moderatore", + "chat.message.deliveryState.ACK_RECEIVED" to "Ricezione del messaggio confermata", + "events.tradeEvents.title" to "Eventi di Trading", + "discussion.bisq.title" to "Discussioni", + "chat.private.messagebox.noChats.placeholder.title" to "Non hai conversazioni in corso", + "chat.sideBar.userProfile.id" to "ID Utente", + "chat.sideBar.userProfile.transportAddress" to "Indirizzo di Trasporto", + "chat.sideBar.userProfile.version" to "Versione", + "chat.listView.scrollDown.newMessages" to "Scorri verso il basso per leggere i nuovi messaggi", + "chat.sideBar.userProfile.nym" to "ID del Bot", + "chat.message.takeOffer.seller.myReputationScoreTooLow.warning" to "Il tuo punteggio di reputazione è {0} ed è al di sotto del punteggio di reputazione richiesto di {1} per l'importo della transazione di {2}.\n\nIl modello di sicurezza di Bisq Easy si basa sulla reputazione del venditore.\nPer saperne di più sul sistema di reputazione, visita: [HYPERLINK:https://bisq.wiki/Reputazione].\n\nPuoi leggere di più su come costruire la tua reputazione in ''Reputazione/Costruire Reputazione''.", + "chat.private.messagebox.noChats.placeholder.description" to "Per chattare privatamente con un pari, passa il mouse sopra il loro messaggio in una\nchat pubblica e clicca su 'Invia messaggio privato'.", + "chat.message.takeOffer.seller.myReputationScoreTooLow.headline" to "Il tuo Punteggio di Reputazione è troppo basso per accettare quell'offerta", + "chat.sideBar.channelInfo.participants" to "Partecipanti", + "events.podcasts.description" to "Canale per annunci riguardanti podcast", + "chat.message.deliveryState.SENT" to "Messaggio inviato (ricevuta non ancora confermata).", + "chat.message.offer.offerAlreadyTaken.warn" to "Hai già preso quell'offerta.", + "chat.message.supportedLanguages.Tooltip" to "Lingue supportate", + "chat.ellipsisMenu.channelInfo" to "Informazioni sul canale", + "discussion.markets.description" to "Canale per discussioni sui mercati e i prezzi", + "chat.topMenu.tradeGuide.tooltip" to "Apri la guida al commercio", + "chat.sideBar.channelInfo.notifications.mention" to "Se menzionato", + "chat.message.send.differentUserProfile.warn" to "Hai utilizzato un altro profilo utente in quella chat.\n\nSei sicuro di voler inviare quel messaggio con il profilo utente attualmente selezionato?", + "events.meetups.title" to "Incontri", + "chat.message.citation.headline" to "Rispondendo a:", + "chat.notifications.offerTaken.title" to "La tua offerta è stata presa da {0}", + "chat.message.takeOffer.buyer.makersReputationScoreTooLow.headline" to "Avviso di sicurezza", + "chat.ignoreUser.confirm" to "Ignora utente", + "chat.chatRules.headline" to "Regole della chat", + "discussion.offTopic.description" to "Canale per conversazioni fuori tema", + "chat.leave.confirmLeaveChat" to "Lascia la chat", + "chat.sideBar.channelInfo.notifications.globalDefault" to "Usa predefinito", + "support.reports.title" to "Segnalazione frodi", + "chat.message.reply" to "Rispondi", + "support.questions.title" to "Domande", + "chat.sideBar.channelInfo.notification.options" to "Opzioni di notifica", + "chat.reportToModerator.message" to "Messaggio al moderatore", + "chat.sideBar.userProfile.terms" to "Termini di scambio", + "chat.leave" to "Clicca qui per lasciare", + "chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.headline" to "Si prega di rivedere i rischi quando si accetta quell'offerta", + "events.conferences.description" to "Canale per annunci riguardanti conferenze", + "discussion.offTopic.title" to "Fuori tema", + "chat.ellipsisMenu.chatRules" to "Regole della chat", + "chat.notificationsSettingsMenu.mention" to "Se menzionato", + "events.conferences.title" to "Conferenze", + "chat.ellipsisMenu.tooltip" to "Altre opzioni", + "chat.private.openChatsList.headline" to "Contatti chat", + "chat.notifications.privateMessage.headline" to "Messaggio privato", + "chat.channelDomain.EVENTS" to "Eventi", + "chat.sideBar.userProfile.report" to "Segnala al moderatore", + "chat.message.deliveryState.TRY_ADD_TO_MAILBOX" to "Prova ad aggiungere il messaggio alla casella di posta del peer", + "chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.no" to "No, cerco un'altra offerta", + "chat.private.title" to "Chat private", + ), + "support" to mapOf( + "support.resources.guides.headline" to "Guide", + "support.resources.resources.community" to "Comunità Bisq su Matrix", + "support.resources.backup.headline" to "Backup", + "support.resources.backup.setLocationButton" to "Imposta la posizione del backup", + "support.resources.resources.contribute" to "Come contribuire a Bisq", + "support.resources.backup.location.prompt" to "Imposta la posizione del backup", + "support.resources.legal.license" to "Licenza del software (AGPLv3)", + "support.resources" to "Risorse", + "support.resources.backup.backupButton" to "Fai un backup della directory dei dati di Bisq", + "support.resources.backup.destinationNotExist" to "La destinazione del backup ''{0}'' non esiste", + "support.resources.backup.selectLocation" to "Seleziona la posizione del backup", + "support.resources.backup.location.invalid" to "Percorso della posizione del backup non valido", + "support.resources.legal.headline" to "Legale", + "support.resources.resources.webpage" to "Sito web di Bisq", + "support.resources.guides.chatRules" to "Apri le regole della chat", + "support.resources.backup.location" to "Posizione del backup", + "support.resources.localData.openTorLogFile" to "Apri il file 'debug.log' di Tor", + "support.resources.legal.tac" to "Apri accordo dell'utente", + "support.resources.localData.headline" to "Dati locali", + "support.resources.backup.success" to "Backup salvato con successo in:\n{0}", + "support.resources.backup.location.help" to "Il backup non è criptato", + "support.resources.localData.openDataDir" to "Apri la directory dei dati di Bisq", + "support.resources.resources.dao" to "Informazioni sul Bisq DAO", + "support.resources.resources.sourceCode" to "Repository del codice sorgente su GitHub", + "support.resources.resources.headline" to "Risorse Web", + "support.resources.localData.openLogFile" to "Apri il file 'bisq.log'", + "support.resources.guides.tradeGuide" to "Apri la guida al trading", + "support.resources.guides.walletGuide" to "Apri la guida al portafoglio", + "support.assistance" to "Assistenza", + ), + "user" to mapOf( + "user.password.savePassword.success" to "Protezione password abilitata.", + "user.bondedRoles.userProfile.select.invalid" to "Si prega di selezionare un profilo utente dalla lista", + "user.paymentAccounts.noAccounts.whySetup" to "Perché configurare un account è utile?", + "user.paymentAccounts.deleteAccount" to "Elimina il conto di pagamento", + "user.userProfile.terms.tooLong" to "I termini di scambio non devono superare {0} caratteri", + "user.password.enterPassword" to "Inserisci la password (min. 8 caratteri)", + "user.userProfile.statement.tooLong" to "La dichiarazione non deve superare {0} caratteri", + "user.paymentAccounts.createAccount.subtitle" to "Il conto di pagamento viene memorizzato solo localmente sul tuo computer e inviato solo al tuo partner di scambio se decidi di farlo.", + "user.password.confirmPassword" to "Conferma password", + "user.userProfile.popup.noSelectedProfile" to "Si prega di selezionare un profilo utente dalla lista", + "user.userProfile.statement.prompt" to "Inserire una dichiarazione facoltativa", + "user.userProfile.comboBox.description" to "Profilo utente", + "user.userProfile.save.popup.noChangesToBeSaved" to "Non ci sono nuove modifiche da salvare", + "user.userProfile.livenessState" to "Ultima attività dell'utente: {0} fa", + "user.userProfile.statement" to "Affermazione", + "user.paymentAccounts.accountData" to "Informazioni del conto di pagamento", + "user.paymentAccounts.createAccount" to "Crea un nuovo conto di pagamento", + "user.paymentAccounts.noAccounts.whySetup.info" to "Quando vendi Bitcoin, devi fornire i dettagli del tuo conto di pagamento all'acquirente per ricevere il pagamento in valuta fiat. Configurare gli account in anticipo consente un accesso rapido e comodo a queste informazioni durante lo scambio.", + "user.userProfile.deleteProfile" to "Elimina profilo", + "user.userProfile.reputation" to "Reputazione", + "user.userProfile.learnMore" to "Perché creare un nuovo profilo?", + "user.userProfile.terms" to "Termini di scambio", + "user.userProfile.deleteProfile.popup.warning" to "Vuoi davvero eliminare {0}? Questa operazione non può essere annullata.", + "user.paymentAccounts.createAccount.sameName" to "Questo nome del conto è già utilizzato. Si prega di utilizzare un nome diverso.", + "user.userProfile" to "Profilo utente", + "user.password" to "Password", + "user.userProfile.nymId" to "ID Bot", + "user.paymentAccounts" to "Account di pagamento", + "user.paymentAccounts.createAccount.accountData.prompt" to "Inserisci le informazioni del conto di pagamento (ad es. dati del conto bancario) che desideri condividere con un potenziale acquirente di Bitcoin in modo che possano trasferirti l'importo della valuta nazionale.", + "user.paymentAccounts.headline" to "I tuoi conti di pagamento", + "user.userProfile.addressByTransport.I2P" to "Indirizzo I2P: {0}", + "user.userProfile.livenessState.description" to "Ultima attività dell'utente", + "user.paymentAccounts.selectAccount" to "Seleziona un conto di pagamento", + "user.userProfile.new.statement" to "Dichiarazione", + "user.userProfile.terms.prompt" to "Inserire termini di scambio facoltativi", + "user.password.headline.removePassword" to "Rimuovi protezione password", + "user.bondedRoles.userProfile.select" to "Seleziona profilo utente", + "user.userProfile.userName.banned" to "[Bannato] {0}", + "user.paymentAccounts.createAccount.accountName" to "Nome del conto di pagamento", + "user.userProfile.new.terms" to "Termini di scambio", + "user.paymentAccounts.noAccounts.info" to "Non hai ancora configurato nessun conto.", + "user.paymentAccounts.noAccounts.whySetup.note" to "Informazioni di base:\nI dati del tuo account sono memorizzati esclusivamente localmente sul tuo computer e vengono condivisi con il tuo partner di scambio solo quando decidi di farlo.", + "user.userProfile.profileAge.tooltip" to "L'età del profilo è il numero di giorni del profilo utente.", + "user.userProfile.deleteProfile.popup.warning.yes" to "Sì, elimina il profilo", + "user.userProfile.version" to "Versione: {0}", + "user.userProfile.profileAge" to "Età del profilo", + "user.userProfile.tooltip" to "Nickname: {0}\nID Bot: {1}\nID Profilo: {2}\n{3}", + "user.userProfile.new.step2.subTitle" to "Puoi aggiungere facoltativamente una dichiarazione personalizzata al tuo profilo e impostare le tue condizioni di scambio.", + "user.paymentAccounts.createAccount.accountName.prompt" to "Imposta un nome univoco per il tuo conto di pagamento", + "user.userProfile.addressByTransport.CLEAR" to "Indirizzo di rete chiaro: {0}", + "user.password.headline.setPassword" to "Imposta protezione password", + "user.password.button.removePassword" to "Rimuovi password", + "user.password.removePassword.failed" to "Password non valida.", + "user.userProfile.livenessState.tooltip" to "Il tempo trascorso dall'ultima pubblicazione del profilo utente sulla rete, attivata da attività dell'utente come i movimenti del mouse.", + "user.userProfile.tooltip.banned" to "Questo profilo è stato bannato!", + "user.userProfile.addressByTransport.TOR" to "Indirizzo Tor: {0}", + "user.userProfile.new.step2.headline" to "Completa il tuo profilo", + "user.password.removePassword.success" to "Protezione password rimossa.", + "user.userProfile.livenessState.ageDisplay" to "{0} fa", + "user.userProfile.createNewProfile" to "Crea nuovo profilo", + "user.userProfile.new.terms.prompt" to "Imposta facoltativamente i termini di scambio", + "user.userProfile.profileId" to "ID Profilo", + "user.userProfile.deleteProfile.cannotDelete" to "Eliminare il profilo utente non è consentito\n\nPer eliminare questo profilo, prima:\n- Elimina tutti i messaggi pubblicati con questo profilo\n- Chiudi tutti i canali privati per questo profilo\n- Assicurati di avere almeno un altro profilo", + "user.paymentAccounts.noAccounts.headline" to "I tuoi conti di pagamento", + "user.paymentAccounts.createAccount.headline" to "Aggiungi un nuovo conto di pagamento", + "user.userProfile.nymId.tooltip" to "L'ID Bot viene generato dall'hash della chiave pubblica dell'identità di quel\nprofilo utente.\nViene aggiunto al nickname nel caso ci siano più profili utente nella rete con lo stesso nickname per distinguerli chiaramente.", + "user.userProfile.new.statement.prompt" to "Aggiungi una dichiarazione facoltativa", + "user.password.button.savePassword" to "Salva password", + "user.userProfile.profileId.tooltip" to "L'ID Profilo è l'hash della chiave pubblica dell'identità di quel profilo utente\ncodificato come stringa esadecimale.", + ), + "network" to mapOf( + "network.version.localVersion.headline" to "Informazioni sulla versione locale", + "network.nodes.header.numConnections" to "Numero di connessioni", + "network.transport.traffic.sent.details" to "Dati inviati: {0}\nTempo per l'invio del messaggio: {1}\nNumero di messaggi: {2}\nNumero di messaggi per nome della classe: {3}\nNumero di dati distribuiti per nome della classe: {4}", + "network.nodes.type.active" to "Nodo utente (attivo)", + "network.connections.outbound" to "In uscita", + "network.transport.systemLoad.details" to "Dimensione dei dati di rete persistenti: {0}\nCarico di rete attuale: {1}\nCarico medio della rete: {2}", + "network.transport.headline.CLEAR" to "Rete chiara", + "network.nodeInfo.myAddress" to "Mio indirizzo predefinito", + "network.version.versionDistribution.version" to "Versione {0}", + "network.transport.headline.I2P" to "I2P", + "network.version.versionDistribution.tooltipLine" to "{0} profili utente con versione ''{1}''", + "network.transport.pow.details" to "Tempo totale trascorso: {0}\nTempo medio per messaggio: {1}\nNumero di messaggi: {2}", + "network.nodes.header.type" to "Tipo", + "network.transport.pow.headline" to "Prova di lavoro", + "network.header.nodeTag" to "Tag del nodo", + "network.nodes.title" to "I miei nodi", + "network.connections.ioData" to "{0} / {1} Messaggi", + "network.connections.title" to "Connessioni", + "network.connections.header.peer" to "Partner", + "network.nodes.header.keyId" to "ID chiave", + "network.version.localVersion.details" to "Versione di Bisq: v{0}\nHash di commit: {1}\nVersione Tor: v{2}", + "network.nodes.header.address" to "Indirizzo del server", + "network.connections.seed" to "Nodo seed", + "network.p2pNetwork" to "Rete P2P", + "network.transport.traffic.received.details" to "Dati ricevuti: {0}\nTempo per la deserializzazione del messaggio: {1}\nNumero di messaggi: {2}\nNumero di messaggi per nome della classe: {3}\nNumero di dati distribuiti per nome della classe: {4}", + "network.nodes" to "Nodi di infrastruttura", + "network.connections.inbound" to "In entrata", + "network.header.nodeTag.tooltip" to "Tag di identità: {0}", + "network.version.versionDistribution.oldVersions" to "2.0.4 (o precedenti)", + "network.nodes.type.retired" to "Nodo utente (in pensione)", + "network.transport.traffic.sent.headline" to "Traffico in uscita dell'ultima ora", + "network.roles" to "Ruoli garantiti", + "network.connections.header.sentHeader" to "Inviato", + "network.connections.header.receivedHeader" to "Ricevuto", + "network.nodes.type.default" to "Nodo Gossip", + "network.version.headline" to "Distribuzione delle versioni", + "network.myNetworkNode" to "Il mio nodo di rete", + "network.transport.headline.TOR" to "Tor", + "network.connections.header.connectionDirection" to "Entrata/Uscita", + "network.transport.traffic.received.headline" to "Traffico in entrata dell'ultima ora", + "network.transport.systemLoad.headline" to "Carico di sistema", + "network.connections.header.rtt" to "RTT", + "network.connections.header.address" to "Indirizzo", + ), + "settings" to mapOf( + "settings.language.supported.select" to "Seleziona la lingua", + "settings.network.difficultyAdjustmentFactor.ignoreValueFromSecManager" to "Ignora il valore fornito dal Gestore della Sicurezza di Bisq", + "settings.notification.option.off" to "Disattivato", + "settings.network.difficultyAdjustmentFactor.description.self" to "Fattore di regolazione della difficoltà PoW personalizzato", + "settings.backup.totalMaxBackupSizeInMB.info.tooltip" to "I dati importanti vengono automaticamente salvati nella directory dei dati ogni volta che vengono effettuati aggiornamenti,\nseguendo questa strategia di retention:\n - Ultima ora: Mantieni un massimo di un backup al minuto.\n - Ultimo giorno: Mantieni un backup all'ora.\n - Ultima settimana: Mantieni un backup al giorno.\n - Ultimo mese: Mantieni un backup alla settimana.\n - Ultimo anno: Mantieni un backup al mese.\n - Anni precedenti: Mantieni un backup all'anno.\n\nSi prega di notare che questo meccanismo di backup non protegge da guasti del disco rigido.\nPer una migliore protezione, raccomandiamo vivamente di creare backup manuali su un'unità disco alternativa.", + "settings.notification.option.all" to "Tutti i messaggi della chat", + "settings.display" to "Visualizzazione", + "settings.trade" to "Offerta e scambio", + "settings.trade.maxTradePriceDeviation" to "Tolleranza massima del prezzo di scambio", + "settings.backup.totalMaxBackupSizeInMB.description" to "Dimensione massima in MB per i backup automatici", + "settings.language.supported.headline" to "Aggiungi le lingue supportate", + "settings.misc" to "Misto", + "settings.trade.headline" to "Impostazioni offerta e trade", + "settings.trade.maxTradePriceDeviation.invalid" to "Deve essere un valore compreso tra 1 e {0}%", + "settings.backup.totalMaxBackupSizeInMB.invalid" to "Deve essere un valore compreso tra {0} MB e {1} MB", + "settings.language.supported.addButton.tooltip" to "Aggiungi la lingua selezionata all'elenco", + "settings.language.supported.subHeadLine" to "Lingue in cui sei fluente", + "settings.display.useAnimations" to "Usa animazioni", + "settings.notification.notifyForPreRelease" to "Notifica sugli aggiornamenti del software pre-release", + "settings.language.select.invalid" to "Scegli una lingua dall'elenco", + "settings.notification.options" to "Opzioni di notifica", + "settings.notification.useTransientNotifications" to "Usa notifiche temporanee", + "settings.language.headline" to "Selezione della lingua", + "settings.language.supported.invalid" to "Seleziona una lingua dall'elenco", + "settings.language.restart" to "Per applicare la nuova lingua, è necessario riavviare l'applicazione", + "settings.backup.headline" to "Impostazioni di backup", + "settings.notification.option.mention" to "Se menzionato", + "settings.notification.clearNotifications" to "Cancella le notifiche", + "settings.display.preventStandbyMode" to "Prevenzione della modalità standby", + "settings.notifications" to "Notifiche", + "settings.network.headline" to "Impostazioni di rete", + "settings.language.supported.list.subHeadLine" to "Fluente in:", + "settings.trade.closeMyOfferWhenTaken" to "Chiudi la mia offerta quando viene accettata", + "settings.display.resetDontShowAgain" to "Resetta tutti i flag 'Non mostrare più'", + "settings.language.select" to "Seleziona la lingua", + "settings.network.difficultyAdjustmentFactor.description.fromSecManager" to "Fattore di regolazione della difficoltà PoW dal Gestore della Sicurezza di Bisq", + "settings.language" to "Lingua", + "settings.display.headline" to "Impostazioni di visualizzazione", + "settings.network.difficultyAdjustmentFactor.invalid" to "Deve essere un numero tra 0 e {0}", + "settings.trade.maxTradePriceDeviation.help" to "Differenza massima di prezzo di scambio che un maker tollera quando la sua offerta viene accettata.", + ), + "payment_method" to mapOf( + "F2F_SHORT" to "F2F", + "LN" to "BTC sulla Lightning Network", + "WISE_USD" to "Wise-USD", + "DOMESTIC_WIRE_TRANSFER_SHORT" to "Wire", + "MAIN_CHAIN_SHORT" to "Onchain", + "IMPS" to "India/IMPS", + "PAYTM" to "India/PayTM", + "RTGS" to "India/RTGS", + "MONESE" to "Monese", + "CIPS_SHORT" to "CIPS", + "MONEY_GRAM" to "MoneyGram", + "WISE" to "Wise", + "TIKKIE" to "Tikkie", + "UPI" to "India/UPI", + "BIZUM" to "Bizum", + "INTERAC_E_TRANSFER" to "Interac e-Transfer", + "LN_SHORT" to "Lightning", + "ALI_PAY" to "AliPay", + "NATIONAL_BANK" to "Bonifico bancario nazionale", + "US_POSTAL_MONEY_ORDER" to "Vaglia postale degli Stati Uniti", + "JAPAN_BANK" to "Banco Giappone Furikomi", + "NATIVE_CHAIN" to "Catena nativa", + "FASTER_PAYMENTS" to "Faster Payments", + "ADVANCED_CASH" to "Advanced Cash", + "F2F" to "Faccia a faccia (in persona)", + "SWIFT_SHORT" to "SWIFT", + "WECHAT_PAY" to "WeChat Pay", + "RBTC_SHORT" to "RSK", + "ACH_TRANSFER" to "ACH Transfer", + "CHASE_QUICK_PAY" to "Chase QuickPay", + "INTERNATIONAL_BANK_SHORT" to "Banche internazionali", + "HAL_CASH" to "HalCash", + "WESTERN_UNION" to "Western Union", + "ZELLE" to "Zelle", + "JAPAN_BANK_SHORT" to "Banco Giappone", + "RBTC" to "RBTC (BTC tokenizzati su RSK side chain)", + "SWISH" to "Swish", + "SAME_BANK" to "Trasferimento con stessa banca", + "ACH_TRANSFER_SHORT" to "ACH", + "AMAZON_GIFT_CARD" to "Amazon eGift Card", + "PROMPT_PAY" to "PromptPay", + "LBTC" to "L-BTC (BTC tokenizzati su Liquid side chain)", + "US_POSTAL_MONEY_ORDER_SHORT" to "Vaglia USA", + "VERSE" to "Verse", + "SWIFT" to "SWIFT International Wire Transfer", + "SPECIFIC_BANKS_SHORT" to "Banche specifiche", + "WESTERN_UNION_SHORT" to "Western Union", + "DOMESTIC_WIRE_TRANSFER" to "Domestic Wire Transfer", + "INTERNATIONAL_BANK" to "Bonifico bancario internazionale", + "UPHOLD" to "Uphold", + "CAPITUAL" to "Capitual", + "CASH_DEPOSIT" to "Deposito in contanti", + "WBTC" to "WBTC (BTC tokenizzato come token ERC20)", + "MONEY_GRAM_SHORT" to "MoneyGram", + "CASH_BY_MAIL" to "Contanti per posta", + "SAME_BANK_SHORT" to "Stessa banca", + "SPECIFIC_BANKS" to "Trasferimenti con banche specifiche", + "PAXUM" to "Paxum", + "NATIVE_CHAIN_SHORT" to "Catena nativa", + "WBTC_SHORT" to "WBTC", + "PERFECT_MONEY" to "Perfect Money", + "CELPAY" to "CelPay", + "STRIKE" to "Strike", + "MAIN_CHAIN" to "Bitcoin (onchain)", + "SEPA_INSTANT" to "SEPA Instant", + "CASH_APP" to "Cash App", + "POPMONEY" to "Popmoney", + "REVOLUT" to "Revolut", + "NEFT" to "India/NEFT", + "SATISPAY" to "Satispay", + "PAYSERA" to "Paysera", + "LBTC_SHORT" to "Liquid", + "SEPA" to "SEPA", + "NEQUI" to "Nequi", + "NATIONAL_BANK_SHORT" to "Banche nazionali", + "CASH_BY_MAIL_SHORT" to "Contanti per posta", + "OTHER" to "Altro", + "PAY_ID" to "PayID", + "CIPS" to "Cross-Border Interbank Payment System", + "MONEY_BEAM" to "MoneyBeam (N26)", + "PIX" to "Pix", + "CASH_DEPOSIT_SHORT" to "Deposito in contanti", + ), + "offer" to mapOf( + "offer.priceSpecFormatter.fixPrice" to "Offer with fixed price\n{0}", + "offer.priceSpecFormatter.floatPrice.below" to "{0} below market price\n{1}", + "offer.priceSpecFormatter.floatPrice.above" to "{0} above market price\n{1}", + "offer.priceSpecFormatter.marketPrice" to "At market price\n{0}", + ), + "mobile" to mapOf( + "bootstrap.connectedToTrustedNode" to "Connected to trusted node", + ), + ) +} diff --git a/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/GeneratedResourceBundles_pcm.kt b/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/GeneratedResourceBundles_pcm.kt new file mode 100644 index 00000000..96f67fd5 --- /dev/null +++ b/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/GeneratedResourceBundles_pcm.kt @@ -0,0 +1,1368 @@ +package network.bisq.mobile.i18n + +// Auto-generated file. Do not modify manually. +object GeneratedResourceBundles_pcm { + val bundles = mapOf( + "default" to mapOf( + "action.exportAsCsv" to "Eksport am as CSV", + "action.learnMore" to "Lern more", + "action.save" to "Save", + "component.marketPrice.provider.BISQAGGREGATE" to "Bisq price aggregator", + "offer.maker" to "Meka", + "offer.buyer" to "Baya", + "component.marketPrice.requesting" to "Dey request market price", + "component.standardTable.numEntries" to "Namba of entries: {0}", + "offer.createOffer" to "Kreate offer", + "action.close" to "Klose", + "validation.tooLong" to "Input text no suppose pass {0} characters", + "component.standardTable.filter.tooltip" to "Filta by {0}", + "temporal.age" to "Age", + "data.noDataAvailable" to "No data dey available", + "action.goTo" to "Go to {0}", + "action.next" to "Next", + "offer.buying" to "buying", + "offer.price.above" to "bove", + "offer.buy" to "buy", + "offer.taker" to "Taka", + "validation.password.notMatching" to "The 2 passwords wey you enter no match", + "action.delete" to "Delete", + "component.marketPrice.tooltip.isStale" to "\nWARNING: Market price dey outdated!", + "action.shutDown" to "Shut down", + "component.priceInput.description" to "{0} prais", + "component.marketPrice.source.PROPAGATED_IN_NETWORK" to "Propagated by oracle node: {0}", + "validation.password.tooShort" to "The password wey you enter too short. E need to get at least 8 characters.", + "validation.invalidLightningInvoice" to "Di Lightning invoice dey look like say e invalid", + "action.back" to "Back", + "offer.selling" to "saling", + "action.editable" to "Editabl", + "offer.takeOffer.buy.button" to "Buy Bitcoin", + "validation.invalidNumber" to "Input no be valid number", + "action.search" to "Searh", + "validation.invalid" to "Input wey no valid", + "component.marketPrice.source.REQUESTED_FROM_PRICE_NODE" to "Request wey come from: {0}", + "validation.invalidBitcoinAddress" to "Di Bitcoin address dey look like say e invalid", + "temporal.year.1" to "{0} yara", + "confirmation.no" to "No", + "validation.invalidLightningPreimage" to "Di Lightning preimage dey look like say e invalid", + "temporal.day.1" to "{0} dey", + "component.standardTable.filter.showAll" to "Show all", + "temporal.year.*" to "{0} yara", + "data.add" to "Add", + "offer.takeOffer.sell.button" to "Sell Bitcoin", + "component.marketPrice.source.PERSISTED" to "Persisted data", + "action.copyToClipboard" to "Kopi to clipboard", + "confirmation.yes" to "Yes", + "offer.sell" to "sell", + "action.react" to "Reakt", + "temporal.day.*" to "{0} dey", + "temporal.at" to "for", + "component.standardTable.csv.plainValue" to "{0} (plin valyu)", + "offer.seller" to "Sela", + "temporal.date" to "Dei", + "action.iUnderstand" to "I sabi", + "component.priceInput.prompt" to "Enter pris", + "confirmation.ok" to "OK", + "action.dontShowAgain" to "No show again", + "action.cancel" to "Cancel", + "offer.amount" to "Amont", + "action.edit" to "Editabl", + "offer.deleteOffer" to "Delete my offer", + "data.remove" to "Remove", + "data.false" to "Fals", + "offer.price.below" to "belo", + "data.na" to "N/A", + "action.expandOrCollapse" to "Click to close or open", + "data.true" to "True", + "validation.invalidBitcoinTransactionId" to "Di Bitcoin transaction ID dey look like say e invalid", + "component.marketPrice.tooltip" to "{0}\nUpdated: {1} dey ago\nReceived at: {2}{3}", + "validation.empty" to "Empty string no allowed", + "validation.invalidPercentage" to "Input no be valid percentage value", + ), + "application" to mapOf( + "onboarding.createProfile.nickName" to "Profile nickname", + "notificationPanel.mediationCases.headline.single" to "New mesaj for mediation case with Trayd ID ''{0}''", + "popup.reportBug" to "Report bug to Bisq developers", + "tac.reject" to "Reject and comot for application", + "dashboard.activeUsers.tooltip" to "Profiles go dey published for the network\nif the user don dey online for the last 15 days.", + "popup.hyperlink.openInBrowser.tooltip" to "Open link for browser: {0}.", + "navigation.reputation" to "Reputashin", + "navigation.settings" to "Settings", + "updater.downloadLater" to "Download later", + "splash.bootstrapState.SERVICE_PUBLISHED" to "{0} don show", + "updater.downloadAndVerify.info.isLauncherUpdate" to "Once all files don download finish, dem go compare the signing key with the keys wey dey inside the application and the ones wey dey on top Bisq website. Dem go use dis key to confirm the new Bisq installer wey dem download. After download and verification finish, go the download folder make you install the new Bisq version.", + "dashboard.offersOnline" to "Offers dey online", + "onboarding.password.button.savePassword" to "Save password", + "popup.headline.instruction" to "Please note:", + "updater.shutDown.isLauncherUpdate" to "Open download directory and shut down", + "updater.ignore" to "Ignore dis version", + "navigation.dashboard" to "Dashboard", + "onboarding.createProfile.subTitle" to "Your public profile get nickname (wey you go choose) and bot icon (wey dem generate with cryptography)", + "onboarding.createProfile.headline" to "Create your Profile", + "popup.headline.warning" to "Warning", + "popup.reportBug.report" to "Bisq version: {0}\nOperating system: {1}\nError message:\n{2}", + "splash.bootstrapState.network.I2P" to "I2P", + "unlock.failed" to "Password no fit open am.\n\nTry again, make sure say caps lock no dey on.", + "popup.shutdown" to "Shut down dey happen.\n\nE fit take up to {0} seconds before shut down don complete.", + "splash.bootstrapState.service.TOR" to "Onion Service", + "navigation.expandIcon.tooltip" to "Expand menu", + "updater.downloadAndVerify.info" to "Once all files don download finish, dem go compare the signing key with the keys wey dey inside the application and the ones wey dey on top Bisq website. Dem go use dis key to confirm the new version wey dem download ('desktop.jar').", + "popup.headline.attention" to "Attention", + "onboarding.password.headline.setPassword" to "Set password protection", + "unlock.button" to "Open", + "splash.bootstrapState.START_PUBLISH_SERVICE" to "To start to dey show {0}", + "onboarding.bisq2.headline" to "Welcome to Bisq 2", + "dashboard.marketPrice" to "Latest market price", + "popup.hyperlink.copy.tooltip" to "Copy link: {0}.", + "navigation.bisqEasy" to "Bisq Easy", + "navigation.network.info.i2p" to "I2P", + "dashboard.third.button" to "Build Reputashin", + "popup.headline.error" to "Error", + "video.mp4NotSupported.warning" to "You fit watch di video for your browser at: [HYPERLINK:{0}]", + "updater.downloadAndVerify.headline" to "Download and verify new version", + "tac.headline" to "User Agreement", + "splash.applicationServiceState.INITIALIZE_SERVICES" to "To set services", + "onboarding.password.enterPassword" to "Enter password (min. 8 characters)", + "splash.details.tooltip" to "Click mek you see or hide details", + "navigation.network" to "Netwok", + "dashboard.main.content3" to "Security dey based on seller's reputation", + "dashboard.main.content2" to "Chat based and guided user interface for trayd", + "splash.applicationServiceState.INITIALIZE_WALLET" to "To set wallet", + "onboarding.password.subTitle" to "Set up password protection now or skip and do am later for 'User options/Password'.", + "dashboard.main.content1" to "Start trading or browse open offers for offerbook", + "navigation.vertical.collapseIcon.tooltip" to "Collapse sub menu", + "splash.bootstrapState.network.TOR" to "Tor", + "splash.bootstrapState.service.CLEAR" to "Server", + "splash.bootstrapState.CONNECTED_TO_PEERS" to "To connect to peers", + "splash.bootstrapState.service.I2P" to "I2P Service", + "popup.reportError.zipLogs" to "Zip log files", + "updater.furtherInfo.isLauncherUpdate" to "Dis update need new Bisq installation.\nIf you get wahala when you dey install Bisq for macOS, abeg read the instructions at:", + "navigation.support" to "Support", + "updater.table.progress.completed" to "Completed", + "updater.headline" to "New update for Bisq dey available", + "notificationPanel.trades.button" to "Go to 'My open trades'", + "popup.headline.feedback" to "Completed", + "tac.confirm" to "I don read and understand", + "navigation.collapseIcon.tooltip" to "Minimize menu", + "updater.shutDown" to "Shut down", + "popup.headline.backgroundInfo" to "Background information", + "splash.applicationServiceState.FAILED" to "Startup no succeed", + "navigation.userOptions" to "User options", + "updater.releaseNotesHeadline" to "Release notes for version {0}:", + "splash.bootstrapState.BOOTSTRAP_TO_NETWORK" to "To join {0} network", + "navigation.vertical.expandIcon.tooltip" to "Expand sub menu", + "topPanel.wallet.balance" to "Balance", + "navigation.network.info.tooltip" to "{0} net\nNumber of connections: {1}\nTarget connections: {2}", + "video.mp4NotSupported.warning.headline" to "Embedded video no fit play", + "navigation.wallet" to "Walet", + "onboarding.createProfile.regenerate" to "Generate new bot icon", + "splash.applicationServiceState.INITIALIZE_NETWORK" to "To set P2P network", + "updater.table.progress" to "Download progress", + "navigation.network.info.inventoryRequests.tooltip" to "Network data request state:\nNumber of pending requests: {0}\nMax. requests: {1}\nAll data received: {2}", + "onboarding.createProfile.createProfile.busy" to "To set network node...", + "dashboard.second.button" to "Explore trady protocols", + "dashboard.activeUsers" to "Published user profiles", + "hyperlinks.openInBrowser.attention.headline" to "Open web link", + "dashboard.main.headline" to "Get your first BTC", + "popup.headline.invalid" to "Invalid input", + "popup.reportError.gitHub" to "Report to GitHub issue tracker", + "navigation.network.info.inventoryRequest.requesting" to "Requesting network data", + "popup.headline.information" to "Information", + "navigation.network.info.clearNet" to "Clear-net", + "dashboard.third.headline" to "Build Reputashin", + "tac.accept" to "Accept user Agreement", + "updater.furtherInfo" to "Dis update go load after you restart and no need new installation.\nMore details dey for the release page at:", + "onboarding.createProfile.nym" to "Bot ID:", + "popup.shutdown.error" to "An error occur for shut down: {0}.", + "navigation.authorizedRole" to "Authorized role", + "onboarding.password.confirmPassword" to "Confirm password", + "hyperlinks.openInBrowser.attention" to "You wan open the link to `{0}` for your default web browser?", + "onboarding.password.button.skip" to "Skip", + "popup.reportError.log" to "Open log file", + "dashboard.main.button" to "Enter Bisq Easy", + "updater.download" to "Download and check am", + "dashboard.third.content" to "You wan sell Bitcoin for Bisq Easy? Learn how di Reputashin system dey work and why e dey important.", + "hyperlinks.openInBrowser.no" to "No, copy link", + "splash.applicationServiceState.APP_INITIALIZED" to "Bisq don start", + "navigation.academy" to "Learn more", + "navigation.network.info.inventoryRequest.completed" to "Network data don receive", + "onboarding.createProfile.nickName.prompt" to "Choose your nickname", + "popup.startup.error" to "An error don happen when dem dey Set Bisq: {0}.", + "version.versionAndCommitHash" to "Version: v{0} / Commit hash: {1}", + "onboarding.bisq2.teaserHeadline1" to "Introducing Bisq Easy", + "onboarding.bisq2.teaserHeadline3" to "Soon come", + "onboarding.bisq2.teaserHeadline2" to "Learn & discover", + "dashboard.second.headline" to "Multiple trady protocols", + "splash.applicationServiceState.INITIALIZE_APP" to "Bisq dey start", + "unlock.headline" to "Enter password to open", + "onboarding.password.savePassword.success" to "Password protection don set.", + "notificationPanel.mediationCases.button" to "Go to 'Mediator'", + "onboarding.bisq2.line2" to "Get easy introduction into Bitcoin\nthrough our guides and community chat.", + "onboarding.bisq2.line3" to "Choose how you go like trade: Bisq MuSig, Lightning, Submarine Swaps,...", + "splash.bootstrapState.network.CLEAR" to "Clear-net", + "updater.headline.isLauncherUpdate" to "New Bisq installer dey available", + "notificationPanel.mediationCases.headline.multiple" to "New mesaj for mediashon", + "onboarding.bisq2.line1" to "To get your first Bitcoin for private way\ndon easy pass before.", + "notificationPanel.trades.headline.single" to "New trade message for trade ''{0}''", + "popup.headline.confirmation" to "Confirmeshon", + "onboarding.createProfile.createProfile" to "Next", + "onboarding.createProfile.nym.generating" to "Dey calculate proof of work...", + "hyperlinks.copiedToClipboard" to "Link don copy to clipboard", + "updater.table.verified" to "Signature don verify", + "navigation.tradeApps" to "Trayd protocols", + "navigation.chat" to "Chat", + "dashboard.second.content" to "Check out the roadmap for upcoming trade protocols. Get overview about the features of the different protocols.", + "navigation.network.info.tor" to "Tor", + "updater.table.file" to "Fail", + "onboarding.createProfile.nickName.tooLong" to "Nickname no fit pass {0} characters", + "popup.reportError" to "To help us improve di software, please report dis bug by opening a new issue at https://github.com/bisq-network/bisq2/issues.\nDi above error message go copy to clipboard when you click any of di buttons below.\nE go help for debugging if you include di bisq.log file by pressing 'Open log file', saving a copy, and attaching am to your bug report.", + "notificationPanel.trades.headline.multiple" to "New Trayd messages", + ), + "bisq_easy" to mapOf( + "bisqEasy.tradeState.info.seller.phase2b.tradeLogMessage" to "{0} don confirm say dem don Receiv {1}", + "bisqEasy.tradeWizard.paymentMethods.warn.customPaymentMethodAlreadyExists" to "One custom payment method with name {0} don already exist.", + "bisqEasy.takeOffer.amount.seller.limitInfo.lowToleratedAmount" to "As the trad amount dey below {0}, Reputashin requirements don relax.", + "bisqEasy.onboarding.watchVideo.tooltip" to "Watch introduction video wey dey inside", + "bisqEasy.takeOffer.paymentMethods.headline.fiat" to "Wetin be the payment method wey you wan use?", + "bisqEasy.walletGuide.receive" to "Receiv", + "bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMin.overlay.info" to "Seller Reputashin Skor of {0} no fit provide enough sekuriti for dat offer.\n\nE dey recommended make you Trayd lower amounts with repeated trades or with sellers wey get higher reputashin. If you decide to proceed despite di lack of di seller''s reputashin, make sure say you dey fully aware of di associated risks. Bisq Easy''s sekuriti model dey rely on di seller''s reputashin, as di buyer dey required to Send fiat currency first.", + "bisqEasy.offerbook.marketListCell.favourites.maxReached.popup" to "We fit only save 5 favourites. Remove one favourite first before you try again.", + "bisqEasy.dashboard" to "How to start", + "bisqEasy.tradeWizard.amount.seller.limitInfo.noReputationNeededForMaxOrFixedAmount.overlay.info.scoreTooLow" to "For amounts up to {0} di reputashin requirements dey relaxed.\n\nYour reputashin skor of {1} no dey provide enough sekuriti for buyers. However, since di amount dey low, buyers fit still consider to accept di offer once dem sabi di risks wey dey involved.\n\nYou fit find information on how to increase your reputashin at ''Reputashin/Build Reputashin''.", + "bisqEasy.price.feedback.sentence.veryGood" to "beta", + "bisqEasy.walletGuide.createWallet" to "New Walet", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.description" to "Webcam konekshon steyt", + "bisqEasy.tradeWizard.review.sellerPaysMinerFeeLong" to "Na seller dey pay the mining fee", + "bisqEasy.tradeState.info.buyer.phase2b.headline" to "Wait for the seller to confirm say e receive payment", + "bisqEasy.tradeWizard.paymentMethods.bitcoin.subTitle.seller" to "Choose the settlment methods to Send Bitcoin", + "bisqEasy.tradeState.info.seller.phase3a.bitcoinPayment.description.LN" to "Lightning invoice", + "bisqEasy.tradeCompleted.body.copy.explorerLink.tooltip" to "Copy block explorer ID Transakshon link", + "bisqEasy.tradeWizard.amount.headline.seller" to "How much you wan receive?", + "bisqEasy.openTrades.table.direction.buyer" to "Buying from:", + "bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.inSufficientScore" to "With Reputashin Skor of {0}, di sekuriti wey you dey provide no dey enough for trades wey pass {1}.\n\nYou fit still create such offers, but buyers go dey warned about potential risks when dem wan take your offer.\n\nYou fit find information on how to increase your Reputashin at ''Reputashin/Build Reputashin''.", + "bisqEasy.tradeWizard.paymentMethods.customMethod.prompt" to "Kustom payment", + "bisqEasy.tradeState.info.phase4.leaveChannel" to "Close trad", + "bisqEasy.tradeWizard.directionAndMarket.headline" to "You wan buy or sell Bitcoin wit", + "bisqEasy.tradeWizard.review.chatMessage.price" to "Prais:", + "bisqEasy.tradeWizard.paymentMethods.bitcoin.subTitle.buyer" to "Choose the setlment methods to Receiv Bitcoin", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.headline.LN" to "Fill in di Lightning invoice", + "bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage" to "{0} initiated the Bitcoin payment. {1}: ''{2}''", + "bisqEasy.openTrades.table.baseAmount" to "Amount for Bitcoin", + "bisqEasy.openTrades.tradeLogMessage.cancelled" to "{0} don cancel di trade", + "bisqEasy.openTrades.inMediation.info" to "A mediator don join the trade chat. Abeg use the trade chat below to get assistance from the mediator.", + "bisqEasy.onboarding.right.button" to "Open Offerbook", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.imageRecognized" to "Webcam don connect", + "bisqEasy.tradeState.info.buyer.phase2a.sellersAccount" to "Akaunt for Payment of seller", + "bisqEasy.tradeWizard.amount.numOffers.0" to "no be any offer", + "bisqEasy.offerbook.markets.ExpandedList.Tooltip" to "Collapse Makets", + "bisqEasy.openTrades.cancelTrade.warning.seller" to "Since di exchange of Akaunt detel don start, canceling di trad without di buyer's {0}", + "bisqEasy.tradeCompleted.body.tradePrice" to "Trayd prais", + "bisqEasy.tradeWizard.amount.numOffers.*" to "na {0} offers", + "bisqEasy.tradeWizard.review.chatMessage.peerMessageTitle.buy" to "Buy Bitcoin from", + "bisqEasy.walletGuide.intro.content" to "For Bisq Easy, the Bitcoin wey you receive go straight enter your pocket without any middleman. Dat one na great advantage, but e also mean say you need to get wallet wey you control yourself to receive am!\n\nFor dis quick wallet guide, we go show you for few simple steps how you fit create simple wallet. With am, you go fit receive and store your freshly purchased bitcoin.\n\nIf you don sabi on-chain wallets and get one, you fit skip dis guide and just use your wallet.", + "bisqEasy.openTrades.rejected.peer" to "Your trade peer don reject the trade", + "bisqEasy.offerbook.offerList.table.columns.settlementMethod" to "Setlment", + "bisqEasy.topPane.closeFilter" to "Close filta", + "bisqEasy.tradeWizard.amount.numOffers.1" to "na one offer", + "bisqEasy.component.amount.baseSide.tooltip.btcAmount.selectedPrice" to "Dis na di Bitcoin amount with your selected price.", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.subHeadline" to "No offers dey available for your selection criteria.", + "bisqEasy.openTrades.chat.detach" to "Remove", + "bisqEasy.offerbook.offerList.table.columns.price.tooltip.marketPrice" to "Market prais: {0}", + "bisqEasy.openTrades.table.tradeId" to "ID Transakshon", + "bisqEasy.tradeWizard.market.columns.name" to "Fiat kɔrɛnsi", + "bisqEasy.offerbook.offerList.table.filters.offerDirection.sellTo" to "Sell to:", + "bisqEasy.tradeWizard.directionAndMarket.feedback.tradeWithoutReputation" to "Continue without Reputashin", + "bisqEasy.tradeWizard.paymentMethods.noneFound" to "For the selected market, no default payment methods dey provided.\nAbeg add for di text field below di custom payment you wan use.", + "bisqEasy.tradeWizard.amount.seller.wizard.limitInfo" to "With your Reputashin Skor of {0}, you fit trade up to", + "bisqEasy.price.feedback.sentence.veryLow" to "very low", + "bisqEasy.tradeWizard.review.noTradeFeesLong" to "No trade fees dey for Bisq Easy", + "bisqEasy.tradeGuide.process.headline" to "How the trade process dey work?", + "bisqEasy.mediator" to "Mediator", + "bisqEasy.price.headline" to "Wetin be your trade price?", + "bisqEasy.tradeWizard.paymentMethods.warn.noFiatPaymentMethodSelected" to "Abeg choose at least one Akaunt for Payment wey be fiat.", + "bisqEasy.tradeWizard.paymentMethods.fiat.subTitle.seller" to "Choose di Akaunt for Payment wey you go use to Receiv {0}", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.description.buyersPrice" to "Your offer price to buy Bitcoin na {0}.", + "bisqEasy.tradeState.info.buyer.phase2a.confirmFiatSent" to "Confirm paymen of {0}", + "bisqEasy.component.amount.minRangeValue" to "Min {0}", + "bisqEasy.offerbook.chatMessage.deleteMessage.confirmation" to "Are you sure say you wan delete dis message?", + "bisqEasy.tradeCompleted.body.copy.txId.tooltip" to "Copy ID Transakshon to clipboard", + "bisqEasy.tradeWizard.amount.headline.buyer" to "How much you wan spend?", + "bisqEasy.openTrades.closeTrade" to "Close trad", + "bisqEasy.openTrades.table.settlementMethod.tooltip" to "Bitcoin settlment metod: {0}", + "bisqEasy.openTrades.csv.quoteAmount" to "Amount inside {0}", + "bisqEasy.tradeWizard.review.createOfferSuccess.headline" to "Offer don dey successfully published", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.all" to "All", + "bisqEasy.tradeState.info.buyer.phase1a.tradeLogMessage.MAIN_CHAIN" to "{0} don Send Bitcoin Walet ''{1}''", + "bisqEasy.tradeWizard.directionAndMarket.feedback.subTitle1" to "You never establish any Reputashin yet. For Bitcoin sellers, building Reputashin dey very important because buyers go need to Send fiat currency first for di Trayd process, relying on di seller's integrity.\n\nDis Reputashin-building process dey better for experyens Bisq users, and you fit find detailed information about am for di 'Reputashin' section.", + "bisqEasy.tradeWizard.directionAndMarket.feedback.subTitle2" to "Even though e possible for sellers to Trayd without (or insufficient) Reputashin for relatively low amounts up to {0}, di chance to find trading partner don reduce well well. Dis na because buyers dey tend to avoid sellers wey no get Reputashin due to sekuriti risks.", + "bisqEasy.tradeWizard.review.detailsHeadline.maker" to "Detal for Offer", + "bisqEasy.walletGuide.download.headline" to "Downloading your Walet", + "bisqEasy.tradeWizard.selectOffer.headline.seller" to "Sell Bitcoin for {0}", + "bisqEasy.offerbook.marketListCell.numOffers.one" to "{0} offer", + "bisqEasy.tradeWizard.amount.seller.wizard.limitInfo.overlay.info" to "With Reputashin Skor of {0}, you fit Trayd up to {1}.\n\nYou fit find information on how to increase your reputashin at ''Reputashin/Build Reputashin''.", + "bisqEasy.tradeState.info.seller.phase3b.balance.prompt" to "Dey wait for blockchain data...", + "bisqEasy.takeOffer.amount.buyer.limitInfo.minAmountCovered" to "Seller''s Reputashin Skor of {0} dey provide security up to", + "bisqEasy.tradeGuide.welcome" to "Ovwervu", + "bisqEasy.offerbook.markets.CollapsedList.Tooltip" to "Expand Makets", + "bisqEasy.tradeGuide.welcome.headline" to "How to trade for Bisq Easy", + "bisqEasy.takeOffer.amount.description" to "The offer allows you fit choose trade amount\nbetween {0} and {1}", + "bisqEasy.onboarding.right.headline" to "For experyens traders", + "bisqEasy.tradeState.info.buyer.phase3b.confirmButton.ln" to "Confirm Receiv", + "bisqEasy.walletGuide.download" to "Download", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.description.sellersPrice" to "But, the seller dey offer you another price: {0}.", + "bisqEasy.offerbook.offerList.table.filters.paymentMethods.customPayments" to "Kustom payments", + "bisqEasy.offerbook.offerList.table.columns.paymentMethod" to "Payment", + "bisqEasy.takeOffer.progress.method" to "Akaunt for Payment", + "bisqEasy.tradeWizard.review.direction" to "{0} Bitcoin", + "bisqEasy.offerDetails.paymentMethods" to "Supported Akaunt for Payment method(s)", + "bisqEasy.openTrades.closeTrade.warning.interrupted" to "Before you close the trade you fit back up the trade data as csv file if needed.\n\nOnce the trade close all data related to the trade go disappear, and you no fit communicate with the trade peer for trade chat again.\n\nYou wan close the trade now?", + "bisqEasy.tradeState.reportToMediator" to "Report to Mediator", + "bisqEasy.openTrades.table.price" to "Prais", + "bisqEasy.openTrades.chat.window.title" to "{0} - Chat wit {1} / ID Transakshon: {2}", + "bisqEasy.tradeCompleted.header.paymentMethod" to "Akaunt for Payment", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.nameZA" to "Nai Z-A", + "bisqEasy.tradeWizard.progress.review" to "Revyu", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.noReputationNeededForMaxOrFixedAmount" to "Sellers wey no get Reputashin fit take offers up to {0}.", + "bisqEasy.tradeWizard.review.createOfferSuccess.subTitle" to "Your offer don dey listed for di Offerbook. When one Bisq user take your offer, you go find new trad for di 'My open trades' section.\n\nMake sure say you dey check di Bisq application regularly for new messages from a taker.", + "bisqEasy.openTrades.failed.popup" to "Di trade fail because of error.\nError message: {0}\n\nStack trace: {1}", + "bisqEasy.tradeWizard.paymentMethods.fiat.subTitle.buyer" to "Choose di Akaunt for Payment wey go transfer {0}", + "bisqEasy.tradeWizard.market.subTitle" to "Choose your tradin currency", + "bisqEasy.tradeWizard.review.sellerPaysMinerFee" to "Seller dey pay the mining fee", + "bisqEasy.openTrades.chat.peerLeft.subHeadline" to "If di trade never complete on your side and if you need help, contact di mediator or visit di support chat.", + "bisqEasy.tradeState.info.seller.phase3a.qrCodeDisplay.openWindow" to "Open bigger display", + "bisqEasy.offerDetails.price" to "{0} ofer pris", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.withOffers" to "Wit offers", + "bisqEasy.onboarding.left.button" to "Start Trayd Wizard", + "bisqEasy.takeOffer.review.takeOffer" to "Confirm Receiv offer", + "bisqEasy.tradeWizard.amount.limitInfo.overlay.close" to "Close overlay", + "bisqEasy.tradeCompleted.title" to "Trade don successfully complete", + "bisqEasy.tradeState.info.buyer.phase3b.headline.MAIN_CHAIN" to "The seller don start the Bitcoin payment", + "bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.sufficientScore" to "With Reputashin Skor of {0}, you dey provide security for trades up to {1}.", + "bisqEasy.tradeGuide.rules" to "Trayd rulz", + "bisqEasy.tradeState.info.phase3b.txId.tooltip" to "Open transaction for block explorer", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.prompt.LN" to "Fill in di Lightning invoice", + "bisqEasy.openTrades.cancelTrade.warning.part2" to "Consent fit be considered violation of di trading rules and fit result in your profile being banned from di network.\n\nIf di peer don dey unresponsive for more than 24 hours and no payment don dey made, you fit reject di trade without consequences. Di liability go rest with di unresponsive party.\n\nIf you get any questions or encounter issues, please no hesitate to contact your trade peer or seek assistance in di 'Support section'.\n\nIf you believe say your trade peer don violate di trade rules, you get di option to initiate a mediation request. One mediator go join di trade chat and work toward finding a cooperative solution.\n\nAre you sure say you wan cancel di trade?", + "bisqEasy.tradeState.header.pay" to "Amount wey you go Pay", + "bisqEasy.tradeState.header.direction" to "I wan", + "bisqEasy.tradeState.info.buyer.phase1b.info" to "You fit use the chat below to get in touch with the seller.", + "bisqEasy.openTrades.welcome.line1" to "Learn about the security model of Bisq Easy", + "bisqEasy.tradeState.info.buyer.phase3b.tradeLogMessage.ln" to "{0} don confirm say dem don receive di Bitcoin payment", + "bisqEasy.tradeWizard.amount.description.minAmount" to "Set di minimum value for di amount range", + "bisqEasy.onboarding.openTradeGuide" to "Read di trady gid", + "bisqEasy.openTrades.welcome.line2" to "See how the trade process dey work", + "bisqEasy.price.warn.invalidPrice.outOfRange" to "Di price wey you enter dey outside di allowed range of -10% to 50%.", + "bisqEasy.openTrades.welcome.line3" to "Make you sabi di trade rules", + "bisqEasy.tradeState.bitcoinPaymentData.LN" to "Lightning invoice", + "bisqEasy.tradeState.info.seller.phase1.note" to "Note: You fit use the chat below to get in touch with the buyer before you reveal your account data.", + "bisqEasy.tradeWizard.directionAndMarket.buy" to "Buy Bitcoin", + "bisqEasy.openTrades.confirmCloseTrade" to "Confirm say you wan close trade", + "bisqEasy.tradeWizard.amount.removeMinAmountOption" to "Use fix value amoun", + "bisqEasy.offerDetails.id" to "ID Offa", + "bisqEasy.tradeWizard.progress.price" to "Prais", + "bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo.overlay.info" to "As di trad amount dey low at {0}, di reputashin requirements don relax.\nFor amounts up to {1}, sellers wey no get enough reputashin or no reputashin fit take your offer.\n\nSellers wey wan take your offer with di max. amount of {2}, must get reputashin skor of at least {3}.\nBy reducing di maximum trad amount, you dey make your offer available to more sellers.", + "bisqEasy.tradeState.info.buyer.phase1a.send" to "Send go seller", + "bisqEasy.takeOffer.review.noTradeFeesLong" to "No trade fees dey for Bisq Easy", + "bisqEasy.onboarding.watchVideo" to "Watch video", + "bisqEasy.walletGuide.receive.content" to "To receive your Bitcoin, you need address from your wallet. To get am, click on your newly created wallet, and afterwards click on the 'Receive' button for the bottom of the screen.\n\nBluewallet go display unused address, both as QR code and as text. Dis address na wetin you go need to provide to your peer for Bisq Easy so dat dem fit send you the Bitcoin wey you dey buy. You fit move the address go your PC by scanning the QR code with camera, by sending the address with email or chat message, or even by simply typing am.\n\nOnce you complete the trade, Bluewallet go notice the incoming Bitcoin and update your balance with the new funds. Everytime you do new trade, get fresh address to protect your privacy.\n\nThese na the basics wey you need to know to start receiving Bitcoin for your own wallet. If you wan learn more about Bluewallet, we recommend make you check out the videos wey dey listed below.", + "bisqEasy.takeOffer.progress.review" to "Revyu trad", + "bisqEasy.tradeCompleted.header.myDirection.buyer" to "I buy", + "bisqEasy.tradeState.info.seller.phase3a.qrCodeDisplay.window.title" to "Scan QR Code for trad ''{0}''", + "bisqEasy.tradeWizard.amount.seller.limitInfo.scoreTooLow" to "With your Reputashin Skor of {0}, your trade amount should not exceed", + "bisqEasy.openTrades.table.paymentMethod.tooltip" to "Fiat Akaunt for Payment: {0}", + "bisqEasy.tradeCompleted.header.myOutcome.buyer" to "I Don Pay", + "bisqEasy.openTrades.chat.peer.description" to "Chat peer", + "bisqEasy.takeOffer.progress.amount" to "Trayd amount", + "bisqEasy.price.warn.invalidPrice.numberFormatException" to "Di price wey you enter no be valid number.", + "bisqEasy.mediation.request.confirm.msg" to "If you get wahala wey you no fit resolve with your trade partner, you fit request help from mediator.\n\nAbeg no request mediation for general questions. For support section, chat rooms dey where you fit get general advice and help.", + "bisqEasy.tradeGuide.rules.headline" to "Wetin I need to know about the trade rules?", + "bisqEasy.tradeState.info.buyer.phase3b.balance.prompt" to "Dey wait for blockchain data...", + "bisqEasy.offerbook.markets" to "Makets", + "bisqEasy.privateChats.leave" to "Comot chat", + "bisqEasy.tradeWizard.review.priceDetails" to "De move with market price", + "bisqEasy.openTrades.table.headline" to "My open trades", + "bisqEasy.takeOffer.review.method.bitcoin" to "Bitcoin payment method", + "bisqEasy.tradeWizard.amount.description.fixAmount" to "Set the amount you wan trade", + "bisqEasy.offerDetails.buy" to "Offer to buy Bitcoin", + "bisqEasy.openTrades.chat.detach.tooltip" to "Open chat for new window", + "bisqEasy.tradeState.info.buyer.phase3a.headline" to "Wait for the seller Bitcoin payment", + "bisqEasy.openTrades" to "My open trades", + "bisqEasy.tradeState.info.buyer.phase3b.info.MAIN_CHAIN" to "As soon as the Bitcoin transaction show for Bitcoin network you go see the payment. After 1 blockchain confirmation the payment fit consider as completed.", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.browseOfferbook.info" to "Close di trade wizard and browse di offer book", + "bisqEasy.tradeGuide.rules.confirm" to "I don read and understand", + "bisqEasy.walletGuide.intro" to "Intro", + "bisqEasy.tradeState.info.phase3b.balance.help.notConfirmed" to "Transaction don show for mempool but never confirm yet", + "bisqEasy.mediation.request.feedback.noMediatorAvailable" to "No mediator dey available. Abeg use the support chat instead.", + "bisqEasy.price.feedback.learnWhySection.description.intro" to "Di reason na say di seller need cover extra expenses and compensate for di seller service, specifically:", + "bisqEasy.offerbook.marketListCell.favourites.tooltip.addToFavourites" to "Add to favourites", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.tooltip" to "Sort and filter makets", + "bisqEasy.openTrades.rejectTrade" to "Reject Trayd", + "bisqEasy.openTrades.table.direction.seller" to "Sell to:", + "bisqEasy.offerDetails.sell" to "Offer to sell Bitcoin", + "bisqEasy.tradeWizard.amount.seller.limitInfo.sufficientScore" to "Your Reputashin Skor of {0} dey provide security for offers up to", + "bisqEasy.tradeState.info.phase3b.balance.invalid.multipleOutputsForAddress" to "Multiple matching outputs found for di transaction", + "bisqEasy.onboarding.top.headline" to "Bisq Easy for 3 minutes", + "bisqEasy.tradeWizard.amount.buyer.numSellers.1" to "na one seller", + "bisqEasy.tradeGuide.tabs.headline" to "Trayd Gaid", + "bisqEasy.tradeWizard.amount.seller.limitInfo.inSufficientScore" to "Di sekuriti wey your Reputashin Skor of {0} dey provide no dey enough for offers wey pass", + "bisqEasy.openTrades.exportTrade" to "Eksport trad data", + "bisqEasy.tradeWizard.review.table.reputation" to "Reputashin", + "bisqEasy.tradeWizard.amount.buyer.numSellers.0" to "no seller dey", + "bisqEasy.tradeWizard.progress.directionAndMarket" to "Offer type", + "bisqEasy.offerDetails.direction" to "Offer type", + "bisqEasy.tradeWizard.amount.buyer.numSellers.*" to "na {0} sellers", + "bisqEasy.offerDetails.date" to "Kreeshon deit", + "bisqEasy.offerbook.offerList.table.filters.paymentMethods.title.all" to "All", + "bisqEasy.takeOffer.noMediatorAvailable.warning" to "No mediator dey available. You go need use the support chat instead.", + "bisqEasy.offerbook.offerList.table.columns.price" to "Prais", + "bisqEasy.offerbook.offerList.table.filters.offerDirection.buyFrom" to "Buy From", + "bisqEasy.component.amount.baseSide.tooltip.buyer.btcAmount" to "Dis na di Bitcoin amount wey you go receive", + "bisqEasy.takeOffer.bitcoinPaymentData.warning.LN" to "Di Lightning invoice wey you don enter dey look like say e invalid.\n\nIf you sure say di invoice dey valid, you fit ignore dis warning and proceed.", + "bisqEasy.tradeWizard.review.takeOfferSuccessButton" to "Show trade for 'Open Trades'", + "bisqEasy.tradeGuide.process.steps" to "1. Di seller and di buyer go exchange account details. Di seller go send dem payment data (e.g., bank account number) to di buyer, and di buyer go send dem Bitcoin address (or Lightning invoice) to di seller.\n2. Next, di buyer go start di Fiat payment to di seller's account. Once di seller receive di payment, dem go confirm di receipt.\n3. Di seller go then send di Bitcoin to di buyer's address and share di transaction ID (or optionally di preimage if Lightning dey used). Di user interface go show di confirmation state. Once confirmed, di trade go be successfully completed.", + "bisqEasy.openTrades.rejectTrade.warning" to "Since di exchange of Akaunt details never start, rejecting di Trayd no go be consider as violation of di Trayd rules.\n\nIf you get any questions or encounter wahala, abeg no hesitate to contact your Trayd peer or seek assistance for di 'Support section'.\n\nAre you sure say you wan reject di Trayd?", + "bisqEasy.tradeWizard.price.subtitle" to "Dis one fit be as percentage price wey dey follow market price move or fixed price.", + "bisqEasy.openTrades.tradeLogMessage.rejected" to "{0} reject the trade", + "bisqEasy.tradeState.header.tradeId" to "ID Transakshon", + "bisqEasy.topPane.filter" to "Filter Offerbook", + "bisqEasy.tradeWizard.review.priceDetails.fix" to "Fix prais. {0} {1} market prais of {2}", + "bisqEasy.tradeWizard.amount.description.maxAmount" to "Set di maximum value for di amount range", + "bisqEasy.tradeState.info.buyer.phase2b.info" to "Once di seller don receive your payment of {0}, dem go start di Bitcoin payment to di address wey you provide {1}.", + "bisqEasy.tradeState.info.seller.phase3a.sendBtc" to "Send {0} go di buyer", + "bisqEasy.onboarding.left.headline" to "Beta for bigeners", + "bisqEasy.takeOffer.paymentMethods.headline.bitcoin" to "Which setlment method you wan use?", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.mostOffers" to "Most offer", + "bisqEasy.tradeState.header.send" to "Amount wey you wan Send", + "bisqEasy.tradeWizard.review.noTradeFees" to "No trade fees for Bisq Easy", + "bisqEasy.tradeWizard.directionAndMarket.sell" to "Sell Bitcoin", + "bisqEasy.tradeState.info.phase3b.balance.help.confirmed" to "Transaction don confirm", + "bisqEasy.tradeWizard.directionAndMarket.feedback.backToBuy" to "Bak", + "bisqEasy.tradeWizard.review.price" to "{0} <{1} style=trade-wizard-review-code>", + "bisqEasy.openTrades.table.makerTakerRole.maker" to "Maka", + "bisqEasy.tradeWizard.review.priceDetails.fix.atMarket" to "Fix price. Na di same as market price of {0}", + "bisqEasy.tradeCompleted.tableTitle" to "Sammari", + "bisqEasy.tradeWizard.market.headline.seller" to "Which currency you wan take get paid?", + "bisqEasy.tradeCompleted.body.date" to "Dei", + "bisqEasy.tradeWizard.review.paymentMethodDescriptions.btc.taker" to "Select Bitcoin setlment metod", + "bisqEasy.tradeState.info.seller.phase3b.confirmButton.ln" to "Kompliti trad", + "bisqEasy.tradeState.info.seller.phase2b.headline" to "Check if you don receive {0}", + "bisqEasy.price.feedback.learnWhySection.description.exposition" to "- Build up reputation wey fit cost well well.- The seller get to pay for miner fees.- The seller dey help guide for di trade process so e dey invest more time.", + "bisqEasy.takeOffer.amount.buyer.limitInfoAmount" to "{0}.", + "bisqEasy.tradeState.info.buyer.phase2a.headline" to "Send {0} to the seller payment account", + "bisqEasy.price.feedback.learnWhySection.title" to "Why I go pay higher price to seller?", + "bisqEasy.offerbook.offerList.table.columns.price.tooltip.floatPrice" to "Persentij pri{0}\nWith current market pri: {1}", + "bisqEasy.takeOffer.review.price.price" to "Trayd price", + "bisqEasy.tradeState.paymentProof.LN" to "Preimage", + "bisqEasy.openTrades.table.settlementMethod" to "Setlment", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.description.question" to "You wan accept this new price or you wan reject/cancel* the trade?", + "bisqEasy.takeOffer.tradeLogMessage" to "{0} don send message to take {1}'s offer", + "bisqEasy.openTrades.cancelled.self" to "You don cancel the trade", + "bisqEasy.component.amount.baseSide.tooltip.btcAmount.marketPrice" to "Dis na di Bitcoin amount with current market price.", + "bisqEasy.tradeGuide.security" to "Sekuriti", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.description.disclaimer" to "(*Note say for dis specific case, to cancel the trade no go be consider as violation of the trading rules.)", + "bisqEasy.tradeState.info.buyer.phase3b.headline.ln" to "Di seller don send di Bitcoin via Lightning network", + "bisqEasy.mediation.request.feedback.headline" to "Mediatshon don request", + "bisqEasy.tradeState.requestMediation" to "Request Mediator", + "bisqEasy.price.warn.invalidPrice.exception" to "Di price wey you enter no valid.\n\nError message: {0}", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.goBack.info" to "Go back to the previous screens and change the selekshon", + "bisqEasy.offerbook.marketListCell.numOffers.tooltip.one" to "{0} offer dey available for the {1} market", + "bisqEasy.tradeGuide.process.content" to "Once you decide to take one offer, you go get chance to choose from the options wey dem provide for the offer. Before you start the trade, dem go show you summary overview for you to check am well.\nOnce the trade start, the user interface go guide you through the trade process wey get these steps:", + "bisqEasy.openTrades.csv.txIdOrPreimage" to "ID Transakshon/Preimage", + "bisqEasy.tradeState.info.buyer.phase1a.walletHelpButton" to "Open Walet guide", + "bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo" to "For di max. amount of {0} dere {1} wey get enough Reputashin to take your offer.", + "bisqEasy.tradeWizard.review.chatMessage.floatPrice.above" to "{0} above market prais", + "bisqEasy.tradeWizard.selectOffer.headline.buyer" to "Buy Bitcoin for {0}", + "bisqEasy.tradeWizard.review.chatMessage.fixPrice" to "{0}", + "bisqEasy.tradeState.info.phase3b.button.next" to "Next", + "bisqEasy.tradeWizard.review.toReceive" to "Amon to Receiv", + "bisqEasy.tradeState.info.seller.phase1.tradeLogMessage" to "{0} don Send the Akaunt for Payment data:\n{1}", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.noReputationNeededForMaxOrFixedAmount.info" to "As di amount dey low for {0}, di Reputashin requirements don relax.\nFor amounts up to {1}, sellers wey no get enough Reputashin or no get at all fit take di offer.\n\nMake sure say you sabi di risks well well when you dey trad wit seller wey no get or no get enough Reputashin. If you no wan expose yourself to dat risk, choose amount wey dey above {2}.", + "bisqEasy.tradeCompleted.body.tradeFee" to "Trayd Fi", + "bisqEasy.tradeWizard.review.nextButton.takeOffer" to "Confirm Reputashin", + "bisqEasy.openTrades.chat.peerLeft.headline" to "{0} don leave di trade", + "bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.headline" to "Sending take-offer mesaj", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.headline.MAIN_CHAIN" to "Put your Bitcoin address", + "bisqEasy.offerbook.marketListCell.numOffers.tooltip.many" to "{0} offers dey available for the {1} market", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.prompt.LN" to "Fill in di preimage if e dey available", + "bisqEasy.mediation.requester.tradeLogMessage" to "{0} don request Mediator", + "bisqEasy.tradeWizard.review.table.baseAmount.buyer" to "You go receive", + "bisqEasy.tradeWizard.review.table.price" to "Price for {0}", + "bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.paymentProof.MAIN_CHAIN" to "ID Transakshon", + "bisqEasy.component.amount.baseSide.tooltip.bestOfferPrice" to "Dis na di Bitcoin amount with di best price\nfrom matching offers: {0}", + "bisqEasy.tradeWizard.review.headline.maker" to "Reviw offer", + "bisqEasy.openTrades.reportToMediator" to "Report to Mediator", + "bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.info" to "No close di window or di application until you see di confirmation say di take-offer request don dey successfully Send.", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.sortTitle" to "Sort by:", + "bisqEasy.tradeWizard.review.priceDescription.taker" to "Trayd prais", + "bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.subTitle" to "Sending di take-offer message fit take up to 2 minutes", + "bisqEasy.walletGuide.receive.headline" to "Receiving bitcoin for your wallet", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.headline" to "No matching offers wey dem find", + "bisqEasy.walletGuide.tabs.headline" to "Walet gide", + "bisqEasy.offerbook.offerList.table.columns.fiatAmount" to "{0} amaunt", + "bisqEasy.takeOffer.makerBanned.warning" to "The maker of this offer don dey banned. Abeg try use different offer.", + "bisqEasy.price.feedback.learnWhySection.closeButton" to "Bak to Trayd Price", + "bisqEasy.tradeWizard.review.feeDescription" to "Trayd Fi", + "bisqEasy.takeOffer.amount.buyer.limitInfo.minAmountCovered.overlay.info" to "Seller Reputashin Skor of {0} dey provide security up to {1}.\n\nIf you choose higher amount, make sure say you sabi all di risks wey dey involved. Bisq Easy's security model dey rely on di seller's Reputashin, as di buyer go need to Send fiat currency first.", + "bisqEasy.tradeWizard.review.paymentMethodDescriptions.btc.maker" to "Bitcoin setlment metods", + "bisqEasy.tradeWizard.review.headline.taker" to "Reviw Trayd", + "bisqEasy.takeOffer.review.takeOfferSuccess.headline" to "You don successfully take the offer", + "bisqEasy.openTrades.failedAtPeer.popup" to "Di peer im trade fail because of error.\nError wey cause am: {0}\n\nStack trace: {1}", + "bisqEasy.tradeCompleted.header.myDirection.seller" to "I sell", + "bisqEasy.tradeState.info.buyer.phase1b.headline" to "Wait for the seller payment account data", + "bisqEasy.price.feedback.sentence.some" to "some", + "bisqEasy.component.amount.baseSide.tooltip.seller.btcAmount" to "Dis na di Bitcoin amount wey you go spend", + "bisqEasy.offerDetails.headline" to "Detel for Offer", + "bisqEasy.openTrades.cancelTrade" to "Cancel Trayd", + "bisqEasy.tradeState.info.phase3b.button.next.noOutputForAddress" to "No output wey match di address ''{0}'' in di transaction ''{1}'' dey found.\n\nHave you been able to resolve dis issue with your trade peer?\nIf not, you fit consider requesting mediation to help settle di matter.", + "bisqEasy.price.tradePrice.title" to "Fiksd praes", + "bisqEasy.openTrades.table.mediator" to "Mediator", + "bisqEasy.offerDetails.makersTradeTerms" to "Makers trady terma", + "bisqEasy.openTrades.chat.attach.tooltip" to "Bring chat back to main window", + "bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMax" to "Seller Reputashin Skor na only {0}. E no dey recommended to trade pass", + "bisqEasy.privateChats.table.myUser" to "My profil", + "bisqEasy.tradeState.info.phase4.exportTrade" to "Eksport trad data", + "bisqEasy.takeOffer.amount.buyer.limitInfo.minAmountNotCovered" to "Seller Reputashin Skor of {0} no fit provide enough security for dat offer.", + "bisqEasy.tradeWizard.selectOffer.subHeadline" to "E good to trade with users wey get high reputation.", + "bisqEasy.topPane.filter.offersOnly" to "Only show offers for Bisq Easy offerbook", + "bisqEasy.tradeWizard.review.nextButton.createOffer" to "Create ofa", + "bisqEasy.offerbook.offerList.table.filters.paymentMethods.clearFilters" to "Klear filta", + "bisqEasy.openTrades.noTrades" to "You no get any open trades", + "bisqEasy.tradeState.info.seller.phase2b.info" to "Visit your bank account or payment provider app to confirm say you don receive di buyer's payment.", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.prompt.MAIN_CHAIN" to "Put your Bitcoin address", + "bisqEasy.tradeWizard.amount.seller.limitInfoAmount" to "{0}.", + "bisqEasy.openTrades.welcome.headline" to "Welcome to your first Bisq Easy trad!", + "bisqEasy.takeOffer.amount.description.limitedByTakersReputation" to "Your Reputashin Skor of {0} dey allow you fit choose trad amount\nbetween {1} and {2}", + "bisqEasy.tradeState.info.seller.phase1.buttonText" to "Send Akaunt for Payment data", + "bisqEasy.tradeState.info.phase3b.txId.failed" to "Transaction search for ''{0}'' fail with {1}: ''{2}''", + "bisqEasy.component.amount.baseSide.tooltip.taker.offerPrice" to "with di offer price: {0}", + "bisqEasy.takeOffer.review.takeOfferSuccessButton" to "Show trade for 'Open Trades'", + "bisqEasy.walletGuide.createWallet.headline" to "Creating your new Walet", + "bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.noProofProvided" to "{0} don start di Bitcoin payment.", + "bisqEasy.walletGuide.intro.headline" to "Make ready to receive your first Bitcoin", + "bisqEasy.openTrades.rejected.self" to "You don reject the trade", + "bisqEasy.takeOffer.amount.headline.buyer" to "How much you wan spend?", + "bisqEasy.tradeState.header.receive" to "Amon to Receiv", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.title" to "Make You Look Here for Price Change!", + "bisqEasy.offerDetails.priceValue" to "{0} (premium: {1})", + "bisqEasy.tradeWizard.review.chatMessage.floatPrice.below" to "{0} below market prais", + "bisqEasy.tradeState.info.seller.phase1.headline" to "Send your Akaunt for Payment data to the buyer", + "bisqEasy.tradeWizard.market.columns.numPeers" to "Online peers", + "bisqEasy.tradeState.info.phase3b.button.next.amountNotMatching.resolved" to "I don resolve am", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.favourites" to "Na my favourites only", + "bisqEasy.openTrades.table.me" to "Me", + "bisqEasy.tradeCompleted.header.tradeId" to "ID Transakshon", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.description.MAIN_CHAIN" to "Bitcoin adres", + "bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.linkToWikiText" to "For more details about the Reputashin system, visit the Bisq Wiki at:", + "bisqEasy.openTrades.table.tradePeer" to "Peer", + "bisqEasy.price.feedback.learnWhySection.openButton" to "Why?", + "bisqEasy.mediation.request.confirm.headline" to "Request Mediashon", + "bisqEasy.tradeWizard.review.paymentMethodDescription.btc" to "Bitcoin setlment metd", + "bisqEasy.tradeWizard.paymentMethods.warn.tooLong" to "A custom payment method name no suppose pass 20 characters.", + "bisqEasy.walletGuide.download.link" to "Click here to visit Bluewallet's page", + "bisqEasy.onboarding.right.info" to "Browse di offerbook for di best offers or create your own offer.", + "bisqEasy.component.amount.maxRangeValue" to "Max {0}", + "bisqEasy.tradeState.info.phase3b.balance.invalid.noOutputsForAddress" to "No matching outputs found for di transaction", + "bisqEasy.tradeWizard.review.priceDescription.maker" to "Offer pris", + "bisqEasy.takeOffer.paymentMethods.subtitle.fiat.buyer" to "Choose payment method wey go transfer {0}", + "bisqEasy.tradeGuide.security.headline" to "How safe e be to trade for Bisq Easy?", + "bisqEasy.takeOffer.amount.buyer.limitInfo.overlay.linkToWikiText" to "To sabi more about the Reputashin system, visit:", + "bisqEasy.walletGuide.receive.link2" to "Bluewallet tutoryal by BTC Sessions", + "bisqEasy.walletGuide.receive.link1" to "Bluewallet tutorial wey Anita Posch do", + "bisqEasy.tradeWizard.progress.amount" to "Amon", + "bisqEasy.offerbook.chatMessage.deleteOffer.confirmation" to "You dey sure say you wan delete this offer?", + "bisqEasy.tradeWizard.review.priceDetails.float" to "Float prais. {0} {1} market prais of {2}", + "bisqEasy.openTrades.welcome.info" to "Abeg make yourself familiar with the concept, process and rules for trading on Bisq Easy.\nAfter you don read and accept the trade rules you fit start the trade.", + "bisqEasy.tradeState.info.seller.phase3a.fiatPaymentReceivedCheckBox" to "I don confirm say I don receive {0}", + "bisqEasy.offerbook" to "Offerbook", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.description.LN" to "Lightning invoice", + "bisqEasy.openTrades.table.makerTakerRole" to "My rol", + "bisqEasy.tradeWizard.market.headline.buyer" to "Which currency you wan use pay?", + "bisqEasy.tradeWizard.amount.limitInfo.overlay.headline" to "Reputashin-based trady amount limits", + "bisqEasy.tradeWizard.progress.takeOffer" to "Select ofa", + "bisqEasy.tradeWizard.market.columns.numOffers" to "Nọmba. ofa", + "bisqEasy.offerbook.offerList.expandedList.tooltip" to "Collapse Offer List", + "bisqEasy.openTrades.failedAtPeer" to "Di peer im trade fail wit error wey be say: {0}", + "bisqEasy.tradeState.info.buyer.phase3b.info.ln" to "Transfer via Lightning network dey usually almost instant.\nIf you never receive di payment after 1 minute, contact di seller for di trade chat. Sometimes payments dey fail and need to be repeated.", + "bisqEasy.takeOffer.amount.buyer.limitInfo.learnMore" to "Lern more", + "bisqEasy.takeOffer.paymentMethods.subtitle.fiat.seller" to "Choose one payment method to Receiv {0}", + "bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo.leadLine" to "As your min. amount dey below {0}, sellers wey no get Reputashin fit take your offer.", + "bisqEasy.walletGuide.open" to "Walet guide wey go help you open", + "bisqEasy.tradeState.info.seller.phase3a.btcSentButton" to "I don confirm say I don send {0}", + "bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMax.overlay.info" to "Di seller Reputashin Skor wey be {0} no dey provide enough sekuriti. But, for lower trad amounts (up to {1}), di Reputashin requirements dey more lenient.\n\nIf you decide to continue even though di seller no get Reputashin, make sure say you sabi all di associated risks. Bisq Easy's sekuriti model dey rely on di seller's Reputashin, as di buyer go need to Send fiat currency first.", + "bisqEasy.tradeState.paymentProof.MAIN_CHAIN" to "ID Transakshon", + "bisqEasy.takeOffer.paymentMethods.subtitle.bitcoin.seller" to "Choose a setlment method to Send Bitcoin", + "bisqEasy.offerbook.offerList.table.filters.showMyOffersOnly" to "Na my offers only", + "bisqEasy.component.amount.baseSide.tooltip.buyerInfo" to "Sellers fit ask for higher price because dem get costs to build reputation.\n5-15% price premium dey common.", + "bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.scoreTooLow" to "Your Reputashin Skor of {0} no dey provide enough sekuriti for buyers.\n\nBuyers wey wan take your offer go Receiv warning about potential risks when dem dey take your offer.\n\nYou fit find information on how to increase your Reputashin for ''Reputashin/Build Reputashin''.", + "bisqEasy.tradeState.info.phase3b.button.next.amountNotMatching" to "Di output amount for di address ''{0}'' in di transaction ''{1}'' na ''{2}'', which no match di trade amount of ''{3}''.\n\nHave you been able to resolve dis issue with your trade peer?\nIf not, you fit consider requesting mediation to help settle di matter.", + "bisqEasy.tradeState.info.buyer.phase3b.balance" to "Receiv Bitcoin", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.overlay.info" to "As di min. amount dey low at {0}, di Reputashin requirements don relax.\nFor amounts up to {1}, sellers no need Reputashin.\n\nFor di ''Select Offer'' screen, e dey recommended to choose sellers wey get higher Reputashin.", + "bisqEasy.tradeWizard.review.toPay" to "Amon to Pay", + "bisqEasy.takeOffer.review.headline" to "Review Trayd", + "bisqEasy.openTrades.table.makerTakerRole.taker" to "Taker", + "bisqEasy.openTrades.chat.attach" to "Restore", + "bisqEasy.tradeWizard.amount.addMinAmountOption" to "Add min/max ranje for amount", + "bisqEasy.tradeWizard.paymentMethods.warn.noBtcSettlementMethodSelected" to "Abeg choose at least one Bitcoin settlemnt method.", + "bisqEasy.takeOffer.paymentMethods.subtitle.bitcoin.buyer" to "Choose a setlment method to Receiv Bitcoin", + "bisqEasy.openTrades.table.paymentMethod" to "Akaunt for Payment", + "bisqEasy.takeOffer.review.noTradeFees" to "No trade fees for Bisq Easy", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.tooltip" to "Scan QR code with your webcam", + "bisqEasy.tradeWizard.review.paymentMethodDescriptions.fiat.maker" to "Fiat Akaunt for Payment metods", + "bisqEasy.tradeWizard.review.chatMessage.peerMessageTitle.sell" to "Sell Bitcoin to", + "bisqEasy.onboarding.left.info" to "The trade wizard go guide you through your first Bitcoin trade. The Bitcoin sellers go help you if you get any question.", + "bisqEasy.offerbook.offerList.collapsedList.tooltip" to "Expand Ofa List", + "bisqEasy.price.feedback.sentence.low" to "low", + "bisqEasy.tradeState.info.seller.phase3b.info.MAIN_CHAIN" to "The Bitcoin payment need at least 1 blockchain confirmation to dey consider as complete.", + "bisqEasy.tradeWizard.review.toSend" to "Amon to Send", + "bisqEasy.tradeState.info.seller.phase1.accountData.prompt" to "Put your payment account data. E.g. IBAN, BIC and account owner name", + "bisqEasy.tradeWizard.review.chatMessage.myMessageTitle" to "My Offer to {0} Bitcoin", + "bisqEasy.tradeWizard.directionAndMarket.feedback.headline" to "How to build up Reputashin?", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.info" to "For offers up to {0}, Reputashin requirements dey relaxed.", + "bisqEasy.tradeWizard.review.createOfferSuccessButton" to "Show my offer for 'Offerbook'", + "bisqEasy.tradeWizard.review.takeOfferSuccess.subTitle" to "Abeg make contact wit di Trayd peer for 'Open Trades'.\nYou go find more information for di next steps dey.\n\nMake sure say you dey check di Bisq application regularly for new messages from your Trayd peer.", + "bisqEasy.mediation.request.confirm.openMediation" to "Open mediashon", + "bisqEasy.price.tradePrice.inputBoxText" to "Trayd prais for {0}", + "bisqEasy.tradeGuide.rules.content" to "- Before di exchange of account details between di seller and di buyer, any party fit cancel di trade without providing justification.\n- Traders suppose dey check dem trades regularly for new messages and must respond within 24 hours.\n- Once account details don dey exchanged, if you no meet trade obligations, e go be considered breach of di trade contract and fit result in ban from di Bisq network. Dis no apply if di trade peer no dey respond.\n- During Fiat payment, di buyer MUST NOT include terms like 'Bisq' or 'Bitcoin' for di 'reason for payment' field. Traders fit agree on one identifier, like random string wey be 'H3TJAPD', to associate di bank transfer with di trade.\n- If di trade no fit complete instantly because of longer Fiat transfer times, both traders must dey online at least once a day to monitor di trade progress.\n- If traders encounter unresolved issues, dem get di option to invite one mediator into di trade chat for assistance.\n\nIf you get any questions or need assistance, no hesitate to visit di chat rooms wey dey accessible under di 'Support' menu. Happy trading!", + "bisqEasy.offerbook.offerList.table.columns.peerProfile" to "Profil for Peer", + "bisqEasy.tradeState.info.phase3b.balance.invalid.amountNotMatching" to "Output amount from di transaction no dey match di trade amount", + "bisqEasy.tradeWizard.review.chatMessage.peerMessage.buy" to "Buy Bitcoin from {0}\nAmount: {1}\nBitcoin payment method(s): {2}\nFiat payment method(s): {3}\n{4}", + "bisqEasy.price.percentage.title" to "Pesenj price", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.connecting" to "Deh connect to webcam...", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.learnMore" to "Lern more", + "bisqEasy.tradeGuide.open" to "Gaiɗ for open trade", + "bisqEasy.tradeState.info.phase3b.lightning.preimage" to "Preimage", + "bisqEasy.tradeWizard.review.table.baseAmount.seller" to "You go spend", + "bisqEasy.openTrades.cancelTrade.warning.buyer" to "Since di exchange of Akaunt details don start, canceling di Trayd without di seller's {0}", + "bisqEasy.tradeWizard.review.chatMessage.marketPrice" to "Market prais", + "bisqEasy.tradeWizard.amount.seller.limitInfo.link" to "Lern more", + "bisqEasy.tradeState.info.seller.phase2a.waitForPayment.info" to "Once the buyer don start the payment of {0}, you go get notified.", + "bisqEasy.offerbook.offerList.table.columns.price.tooltip.fixPrice" to "Fiks price: {0}\nPersent from current market price: {1}", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.walletHelp" to "If you never set up wallet yet, you fit get help for wallet guide", + "bisqEasy.tradeGuide.security.content" to "- Bisq Easy's sekuriti model dey optimized for small trad amounts.\n- Di model dey rely on di reputashin of di seller, wey usually be experienced Bisq user and dey expected to provide helpful support to new users.\n- Building up reputashin fit cost well, leading to common 5-15% price premium to cover extra expenses and compensate for di seller's service.\n- Trading with sellers wey no get reputashin dey carry significant risks and suppose only dey undertaken if di risks don dey thoroughly understood and managed.", + "bisqEasy.openTrades.csv.paymentMethod" to "Akaunt for Payment", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.button.accept" to "Accept pris", + "bisqEasy.openTrades.failed" to "Di trade fail wit error message: {0}", + "bisqEasy.tradeState.info.seller.phase3b.headline.MAIN_CHAIN" to "Dey wait for blockchain Confirmeshon", + "bisqEasy.tradeState.info.buyer.phase3a.info" to "Di seller need to start di Bitcoin payment to di address wey you provide {0}.", + "bisqEasy.tradeState.info.seller.phase3b.headline.ln" to "Wait for di buyer to confirm di Bitcoin receipt", + "bisqEasy.tradeState.phase4" to "Trade don complete", + "bisqEasy.tradeWizard.review.detailsHeadline.taker" to "Trayd details", + "bisqEasy.tradeState.phase3" to "Bitcoin transfer", + "bisqEasy.tradeWizard.review.takeOfferSuccess.headline" to "You don successfully take the offer", + "bisqEasy.tradeState.phase2" to "Fiat payment", + "bisqEasy.tradeState.phase1" to "Akaunt Detel", + "bisqEasy.mediation.request.feedback.msg" to "Request don go to registered mediators.\n\nAbeg get patience until mediator dey online to join the trade chat and help resolve any problems.", + "bisqEasy.offerBookChannel.description" to "Markit chanel for tradin {0}", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.failed" to "Connecting to webcam fail", + "bisqEasy.tradeGuide.welcome.content" to "Dis guide dey provide overview of essential aspects for buying or selling Bitcoin with Bisq Easy.\nFor dis guide, you go learn about the security model used for Bisq Easy, get insight into the trade process, and familiarize yourself with the trade rules.\n\nFor any additional questions, feel free to visit the chat rooms wey dey under the 'Support' menu.", + "bisqEasy.offerDetails.quoteSideAmount" to "{0} amaunt", + "bisqEasy.tradeState.info.seller.phase2a.waitForPayment.headline" to "Wait for the buyer {0} payment", + "bisqEasy.tradeState.info.buyer.phase2a.reasonForPaymentInfo" to "Abeg leave the 'Reason for payment' field empty, if you dey make bank transfer", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.proceed" to "Ignoer warning", + "bisqEasy.offerbook.offerList.table.filters.paymentMethods.title" to "Payments ({0})", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.browseOfferbook" to "Browse Offerbook", + "bisqEasy.tradeState.info.seller.phase2b.fiatReceivedButton" to "Confirm Receiv of {0}", + "bisqEasy.tradeWizard.amount.seller.limitInfo.noReputationNeededForMaxOrFixedAmount" to "For amounts up to {0} no Reputashin needed.", + "bisqEasy.openTrades.csv.receiverAddressOrInvoice" to "Receiv address/Invoice", + "bisqEasy.tradeWizard.review.chatMessage.peerMessage.sell" to "Sell Bitcoin to {0}\nAmount: {1}\nBitcoin payment method(s): {2}\nFiat payment method(s): {3}\n{4}", + "bisqEasy.takeOffer.review.sellerPaysMinerFee" to "Seller dey pay the mining fee", + "bisqEasy.takeOffer.review.sellerPaysMinerFeeLong" to "Na seller dey pay the mining fee", + "bisqEasy.tradeWizard.review.paymentMethodDescriptions.fiat.taker" to "Select Akaunt for Payment wey na fiat", + "bisqEasy.tradeWizard.directionAndMarket.feedback.gainReputation" to "Learn how to build up Reputashin", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.MAIN_CHAIN" to "Di Transaction ID wey you don enter dey look like say e invalid.\n\nIf you sure say di Transaction ID dey valid, you fit ignore dis warning and proceed.", + "bisqEasy.tradeState.info.buyer.phase2a.quoteAmount" to "Amon to Send", + "bisqEasy.offerbook.marketListCell.favourites.tooltip.removeFromFavourites" to "Remove from favourites", + "bisqEasy.offerbook.marketListCell.numOffers.tooltip.none" to "No offers yet available for the {0} market", + "bisqEasy.price.percentage.inputBoxText" to "Persentij prais wey dey between -10% and 50%", + "bisqEasy.takeOffer.amount.seller.limitInfo.overlay.info.scoreTooLow" to "For amounts up to {0} di reputashin requirements dey relax.\n\nYour reputashin skor of {1} no dey provide enough sekuriti for di buyer. However, since di trad amount dey low, di buyer don accept to take di risk.\n\nYou fit find information on how to increase your reputashin at ''Reputashin/Build Reputashin''.", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.description.LN" to "Preimage (optional)", + "bisqEasy.takeOffer.bitcoinPaymentData.warning.MAIN_CHAIN" to "Di Bitcoin address wey you don enter dey look like say e invalid.\n\nIf you sure say di address dey valid, you fit ignore dis warning and proceed.", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.goBack" to "Change selekshon", + "bisqEasy.tradeWizard.amount.seller.wizard.numMatchingOffers.info" to "Dere {0} wey match di chosen trade amount.", + "bisqEasy.tradeState.bitcoinPaymentData.MAIN_CHAIN" to "Bitcoin adres", + "bisqEasy.onboarding.top.content1" to "Get quick introduction into Bisq Easy", + "bisqEasy.onboarding.top.content2" to "See how the trade process dey work", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.description.MAIN_CHAIN" to "ID Transakshon", + "bisqEasy.onboarding.top.content3" to "Lern about di simple trad rulz", + "bisqEasy.tradeState.header.peer" to "Trayd peer", + "bisqEasy.tradeState.info.phase3b.button.skip" to "Skip wait for block Confirmeshon", + "bisqEasy.openTrades.closeTrade.warning.completed" to "Your trade don complete.\n\nYou fit now close the trade or back up the trade data for your computer if needed.\n\nOnce the trade close all data related to the trade go disappear, and you no fit communicate with the trade peer for trade chat again.", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.noReputationNeededForMaxOrFixedAmount.riskInfo" to "Make sure say you sabi all the risks wey dey involved.", + "bisqEasy.tradeState.info.buyer.phase1a.tradeLogMessage.LN" to "{0} don Send the Lightning invoice ''{1}''", + "bisqEasy.openTrades.cancelled.peer" to "Your trade peer don cancel the trade", + "bisqEasy.tradeCompleted.header.myOutcome.seller" to "I Receiv", + "bisqEasy.tradeWizard.review.chatMessage.offerDetails" to "Amount: {0}\nBitcoin payment method(s): {1}\nFiat payment method(s): {2}\n{3}", + "bisqEasy.takeOffer.bitcoinPaymentData.warning.proceed" to "Ignoer warning", + "bisqEasy.takeOffer.review.detailsHeadline" to "Trayd detayls", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.info" to "One seller wey wan take your offer of {0}, gatz get Reputashin Skor of at least {1}.\nBy reducing di maximum trad amount, you dey make your offer accessible to more sellers.", + "bisqEasy.tradeState.info.buyer.phase2a.tradeLogMessage" to "{0} don start {1} Akaunt for Payment", + "bisqEasy.takeOffer.amount.seller.limitInfo.scoreTooLow" to "As your Reputashin Skor be only {0}, your trade amount dey restricted to", + "bisqEasy.tradeState.info.seller.phase3a.baseAmount" to "Amount wey you go Send", + "bisqEasy.takeOffer.review.takeOfferSuccess.subTitle" to "Abeg contact di Trayd peer for 'Open Trades'.\nYou go find more information for di next steps dere.\n\nMake sure say you dey check di Bisq application regularly for new messages from your Trayd peer.", + "bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.paymentProof.LN" to "Preimage", + "bisqEasy.tradeCompleted.body.txId.tooltip" to "Open blok eksplorer ID Transakshon", + "bisqEasy.offerbook.marketListCell.numOffers.many" to "{0} offers", + "bisqEasy.walletGuide.createWallet.content" to "Bluewallet allow you to create several wallets for different purposes. For now, you just need one wallet. Once you enter Bluewallet, you go see message wey suggest make you add new wallet. Once you do that, enter name for your wallet and pick the option *Bitcoin* under the *Type* section. You fit leave all other options as dem dey and click on *Create*.\n\nWhen you move go next step, you go see 12 words. These 12 words na the backup wey allow you to recover your wallet if anything happen to your phone. Write them down for piece of paper (not digitally) for the same order as dem present am, store this paper safely and make sure only you get access to am. You fit read more about how to secure your wallet for the Learn sections of Bisq 2 wey dey dedicated to wallets and security.\n\nOnce you don finish, click on 'Ok, I wrote it down'.\nCongratulations! You don create your wallet! Make we move on to how to receive your bitcoin for am.", + "bisqEasy.tradeCompleted.body.tradeFee.value" to "No trade fees for Bisq Easy", + "bisqEasy.walletGuide.download.content" to "Dere plenty walets wey you fit use. For dis gid, we go show you how to use Bluewallet. Bluewallet dey great and, at di same time, very simple, and you fit use am to receiv your Bitcoin from Bisq Easy.\n\nYou fit download Bluewallet for your phone, no matter whether you get Android or iOS device. To do dis, you fit visit di official webpage at 'bluewallet.io'. Once you dey there, click on App Store or Google Play depending on di device wey you dey use.\n\nImportant note: for your sekuriti, make sure say you download di app from di official app store of your device. Di official app na provided by 'Bluewallet Services, S.R.L.', and you suppose fit see dis for your app store. Downloading a malicious Walet fit put your funds for risk.\n\nFinally, a quick note: Bisq no dey affiliated with Bluewallet in any way. We suggest make you use Bluewallet because of im quality and simplicity, but dere plenty other options for di market. You suppose feel free to compare, try and choose any Walet wey fit your needs best.", + "bisqEasy.tradeState.info.phase4.txId.tooltip" to "Open transaction for block explorer", + "bisqEasy.price.feedback.sentence" to "Your offer get {0} chance to make dem pick am for dis price.", + "bisqEasy.takeOffer.paymentMethods.headline.fiatAndBitcoin" to "Which Akaunt for Payment and setlment method you wan use?", + "bisqEasy.tradeWizard.paymentMethods.headline" to "Which Akaunt for Payment and setlment methods you wan use?", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.nameAZ" to "Nai A-Z", + "bisqEasy.tradeWizard.amount.buyer.limitInfo" to "Dere {0} for di network wey get enough Reputashin to take offer of {1}.", + "bisqEasy.tradeCompleted.header.myDirection.btc" to "Bitcoin", + "bisqEasy.tradeGuide.notConfirmed.warn" to "Abeg read the trade guide and confirm say you don read and understand the trade rules.", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.info.leadLine" to "Dere {0} wey match di trade amount wey you choose.", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.linkToWikiText" to "If you wan sabi more about the Reputashin system, visit:", + "bisqEasy.tradeState.info.seller.phase3b.info.ln" to "Transfers via di Lightning Network dey usually near-instant and reliable. However, for some cases, payments fit fail and need to be repeated.\n\nTo avoid any issues, please wait for di buyer to confirm receipt for di trade chat before closing di trade, as communication go no dey possible afterward.", + "bisqEasy.tradeGuide.process" to "Proses", + "bisqEasy.tradeWizard.paymentMethods.warn.customNameMatchesPredefinedMethod" to "The name of your custom payment method no suppose be di same as one of di predefined.", + "bisqEasy.tradeState.info.phase3b.balance.help.explorerLookup" to "Searching transaction for block explorer ''{0}''", + "bisqEasy.tradeWizard.progress.paymentMethods" to "Akan for Payment", + "bisqEasy.openTrades.table.quoteAmount" to "Amon", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.filterTitle" to "Show makets:", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.LN" to "Di preimage wey you don enter dey look like say e invalid.\n\nIf you sure say di preimage dey valid, you fit ignore dis warning and proceed.", + "bisqEasy.tradeState.info.seller.phase1.accountData" to "My Akaunt for Payment data", + "bisqEasy.price.feedback.sentence.good" to "beta", + "bisqEasy.takeOffer.review.method.fiat" to "Fiat Akaunt for Payment", + "bisqEasy.offerbook.offerList" to "Ofa List", + "bisqEasy.offerDetails.baseSideAmount" to "Bitcoin amount", + "bisqEasy.tradeState.info.seller.phase3a.bitcoinPayment.description.MAIN_CHAIN" to "Bitcoin alamat", + "bisqEasy.tradeState.info.phase3b.txId" to "ID Transakshon", + "bisqEasy.tradeWizard.review.paymentMethodDescription.fiat" to "Fiat Akaunt for Payment", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.prompt.MAIN_CHAIN" to "Put the Bitcoin transaction ID", + "bisqEasy.tradeState.info.seller.phase3b.balance" to "Bitcoin Akaunt for Payment", + "bisqEasy.takeOffer.amount.headline.seller" to "How much you wan trade?", + "bisqEasy.tradeWizard.paymentMethods.warn.maxMethodsReached" to "You no fit add pass 4 payment methods.", + "bisqEasy.tradeCompleted.header.tradeWith" to "Trayd wit", + ), + "reputation" to mapOf( + "reputation.burnBsq" to "Burned BSQ", + "reputation.signedWitness.import.step2.instruction" to "Copy di profile ID to paste for Bisq 1.", + "reputation.signedWitness.import.step4.instruction" to "Paste di json data from di previous step", + "reputation.buildReputation.accountAge.description" to "Pipo wey dey use Bisq 1 fit gain Reputashin by importing their Account age from Bisq 1 go Bisq 2.", + "reputation.reputationScore.explanation.ranking.description" to "Dey rank users from highest to lowest skor.\nAs rule of thumb when you dey trade: di higher di rank, di beta chance of successful trade.", + "user.bondedRoles.type.MEDIATOR.how.inline" to "person wey fit mediate", + "reputation.totalScore" to "Total Reputashin Skor", + "user.bondedRoles.registration.requestRegistration" to "Request registrashon", + "reputation.reputationScore" to "Reputashin Skor", + "reputation.signedWitness.info" to "By linking your Bisq 1 'signed account age witness', you fit provide small level of trust.\n\nSome people go expect say user wey don trade for Bisq 1 before and e don get signed their account na honest user. But this one no strong like other forms of reputation wey users dey provide strong proof with financial resources.", + "user.bondedRoles.headline.roles" to "Bonded rolz", + "reputation.request.success" to "You don successfully request authorization from Bisq 1 bridge node\n\nYour Reputashin data suppose dey available for the network now.", + "reputation.bond.score.headline" to "Impak on Reputashin Skor", + "user.bondedRoles.type.RELEASE_MANAGER.about.inline" to "release manager", + "reputation.source.BISQ1_ACCOUNT_AGE" to "Akaunt age", + "reputation.table.columns.profileAge" to "Profile age", + "reputation.burnedBsq.info" to "By burning BSQ, you dey provide evidence say you don put money for your reputation.\nThe burn BSQ transaction contain the hash of the public key of your profile. If you do any bad thing, the mediators fit ban your profile and your investment for your reputation go lost.", + "reputation.signedWitness.import.step1.instruction" to "Select di user profile wey you wan attach di reputation.", + "reputation.signedWitness.totalScore" to "Witness-age in days * weight", + "reputation.table.columns.details.button" to "Show detaile", + "reputation.ranking" to "Ranking", + "reputation.accountAge.import.step2.profileId" to "Profile ID (Paste for di akaunt screen for Bisq 1)", + "reputation.accountAge.infoHeadline2" to "Implications for Privacy", + "user.bondedRoles.registration.how.headline" to "How you fit become {0}?", + "reputation.details.table.columns.lockTime" to "Lock time", + "reputation.buildReputation.learnMore.link" to "Bisq Wiki.", + "reputation.reputationScore.explanation.intro" to "Reputashin for Bisq2 dey captured for three elements:", + "reputation.score.tooltip" to "Skor: {0}\nRanking: {1}", + "user.bondedRoles.cancellation.failed" to "Sending the cancellation request fail.\n\n{0}", + "reputation.accountAge.tab3" to "Import", + "reputation.accountAge.tab2" to "Skor", + "reputation.score" to "Skor", + "reputation.accountAge.tab1" to "Why", + "reputation.accountAge.import.step4.signedMessage" to "Json data from Bisq 1", + "reputation.request.error" to "Request for authorization no work. Text wey dey from clipboard:\n{0}", + "reputation.signedWitness.import.step3.instruction1" to "3.1. - Open Bisq 1 and go to 'AKAUNT/NATIONAL CURRENCY AKAUNTS'.", + "user.bondedRoles.type.MEDIATOR.about.info" to "If there dey any wahala for Bisq Easy trade, traders fit request help from mediator.\nMediator no get power to enforce anytin, e fit just try assist to find agreement. If dem breach the trade rules or try scam, mediator fit give info to moderator make dem ban the bad actor from the network.\nMediators and arbitrators wey dey for Bisq 1 fit become Bisq 2 mediators without locking up new BSQ bond.", + "reputation.signedWitness.import.step3.instruction3" to "3.3. - Dis go create json data with signature of your Bisq 2 Profile ID and copy am to di clipboard.", + "user.bondedRoles.table.columns.role" to "Rol", + "reputation.accountAge.import.step1.instruction" to "Select di user profile wey you wan attach di Reputashin.", + "reputation.signedWitness.import.step3.instruction2" to "3.2. - Select di oldest account and click 'EXPORT SIGNED WITNESS FOR BISQ 2'.", + "reputation.accountAge.import.step2.instruction" to "Copy di profile ID make you paste am for Bisq 1.", + "reputation.signedWitness.score.info" to "Importing 'signed account age witness' na weak form of reputation wey dey represented by weight factor. The 'signed account age witness' suppose dey at least 61 days old and score fit dey calculated for max of 2000 days.", + "user.bondedRoles.type.SECURITY_MANAGER" to "Sekuriti manager", + "reputation.accountAge.import.step4.instruction" to "Paste di json data from di previous step", + "reputation.buildReputation.intro.part1.formula.footnote" to "* Converted to di currency wey dem dey use.", + "user.bondedRoles.type.SECURITY_MANAGER.about.inline" to "sekiriti manaja", + "user.bondedRoles.type.MARKET_PRICE_NODE.about.info" to "Market price node dey provide market data from the Bisq market price aggregator.", + "reputation.burnedBsq.score.headline" to "How e affect reputation score", + "user.bondedRoles.type.MODERATOR.about.inline" to "modereta", + "reputation.burnedBsq.infoHeadline" to "Skin for di game", + "user.bondedRoles.type.ARBITRATOR.about.inline" to "arbitre", + "user.bondedRoles.registration.how.info.node" to "8. Copy 'default_node_address.json' file from data directory of node wey you wan register, go your hard drive and open am with 'Import node address' button.\n9. Click 'Request registration' button. If everything correct, your registration go show for Registered network nodes table.", + "user.bondedRoles.type.MODERATOR" to "Moderator", + "reputation.buildReputation.intro.part2" to "If seller post offer wey no dey cover by dem Reputashin Skor, di buyer go see warning about di potential risks when dem dey take dat offer.", + "reputation.buildReputation.intro.part1" to "Bisq Easy's security model dey depend on di seller's Reputashin. Dis na because during trade, di buyer go Send di fiat amount first, so di seller need to provide Reputashin to establish some level of security.\nA seller fit take offers up to di amount wey come from dem Reputashin Skor.\nE dey calculated like dis:", + "user.bondedRoles.type.SEED_NODE" to "Seed node", + "reputation.bond.infoHeadline2" to "Wetn be di recommended amount and lock time?", + "reputation.bond.tab2" to "Skor", + "reputation.bond.tab1" to "Why", + "reputation" to "Reputashin", + "user.bondedRoles.registration.showInfo" to "Show instrakshons", + "reputation.bond.tab3" to "How-to", + "user.bondedRoles.table.columns.isBanned" to "Dem don ban am?", + "reputation.burnedBsq.totalScore" to "Burned BSQ amount * weight * (1 + Profile age / 365)", + "reputation.request" to "Request autorization", + "user.bondedRoles.type.MARKET_PRICE_NODE.how.inline" to "person wey dey operate market price node", + "reputation.reputationScore.explanation.stars.title" to "Stars", + "user.bondedRoles.type.MEDIATOR" to "Mediata", + "reputation.buildReputation" to "Build Reputashin", + "reputation.buildReputation.accountAge.title" to "Akaunt age", + "reputation.source.BSQ_BOND" to "Bonded BSQ", + "reputation.table.columns.details.popup.headline" to "Reputashin details", + "user.bondedRoles.type.RELEASE_MANAGER.about.info" to "Release manager fit send notification wen new release dey available.", + "reputation.accountAge.infoHeadline" to "Provide trust", + "reputation.accountAge.import.step4.title" to "Step 4", + "user.bondedRoles.type.SEED_NODE.about.inline" to "seed node operator", + "reputation.sim.burnAmount.prompt" to "Enter di BSQ amount", + "reputation.score.formulaHeadline" to "Reputation score dey calculate like this:", + "reputation.buildReputation.accountAge.button" to "Learn how to import Account age", + "reputation.signedWitness.tab2" to "Skor", + "reputation.signedWitness.tab1" to "Why", + "reputation.table.columns.reputation" to "Reputashin", + "user.bondedRoles.verification.howTo.instruction" to "1. Open Bisq 1 and go 'DAO/Bonding/Bonded roles' and select the role by the bond-username and the role type.\n2. Click on the verify button, copy the profile ID and paste am for the message field.\n3. Copy the signature and paste am for the signature field for Bisq 1.\n4. Click the verify button. If the signature check succeed, the bonded role dey valid.", + "reputation.signedWitness.tab3" to "How-to", + "reputation.buildReputation.title" to "How sellers fit build their Reputashin?", + "reputation.buildReputation.bsqBond.button" to "Learn how to bond BSQ", + "reputation.burnedBsq.infoHeadline2" to "What be the recommended amount to burn?", + "reputation.signedWitness.import.step4.signedMessage" to "Json data from Bisq 1", + "reputation.buildReputation.burnBsq.button" to "Learn how to burn BSQ", + "reputation.accountAge.score.info" to "Importing 'account age' na rather weak form of reputation wey dey represented by low weight factor.\nScore fit dey calculated for max of 2000 days.", + "reputation.reputationScore.intro" to "For dis sekshon, Bisq Reputashin dey explain so that you fit make better decisions when you dey take offer.", + "user.bondedRoles.registration.bondHolderName" to "Username of bond holder", + "user.bondedRoles.type.SEED_NODE.about.info" to "Seed node dey provide network addresses of network participants for bootstrapping to the Bisq 2 P2P network.\nE dey important especially wen person just start as at that time, the new user no get any data for connection to other peers.\nSeed node still dey provide P2P network data like chat messages to newly connecting user. Any other network node fit perform the data delivery, but seed nodes get 24/7 availability and better service quality, so dem dey more stable and perform better, wey make dem dey lead to better bootstrap experience.\nSeed node operators from Bisq 1 fit become Bisq 2 seed node operators without locking up new BSQ bond.", + "reputation.table.headline" to "Reputashin ranking", + "user.bondedRoles.type.SECURITY_MANAGER.how.inline" to "person wey fit manage security", + "reputation.buildReputation.bsqBond.description" to "Similar to burning BSQ but using refundable BSQ bonds.\nBSQ need to dey bonded for minimum of 50,000 blocks (about 1 year).", + "user.bondedRoles.registration.node.addressInfo.prompt" to "Import di 'default_node_address.json' file from di node data directory.", + "user.bondedRoles.registration.node.privKey" to "Privet key", + "user.bondedRoles.registration.headline" to "Request registrashon", + "reputation.sim.lockTime" to "Lock time for blocks", + "reputation.bond" to "Bonded BSQ", + "user.bondedRoles.registration.signature.prompt" to "Paste the signature from your bonded role", + "reputation.buildReputation.burnBsq.title" to "Burned BSQ", + "user.bondedRoles.table.columns.node.address" to "Adres", + "reputation.reputationScore.explanation.score.title" to "Skor", + "user.bondedRoles.type.MARKET_PRICE_NODE" to "Markit price node", + "reputation.bond.info2" to "Di lock time need to be at least 50,000 blocks wey be about 1 year to be valid bond. Di amount na di user go choose am and e go determine di ranking to other sellers. Sellers wey get di highest reputation score go get better trade opportunities and fit get higher price premium. Di best offers ranked by reputation go dey promoted for di offer selection for 'Trade wizard'.\n\nBuyers fit only take offers from sellers wey get reputation score of at least 30,000. Dis na di default value and you fit change am for preferences.\n\nIf BSQ bond too stress you, consider di other available options for building reputation.", + "reputation.accountAge.info2" to "Linking your Bisq 1 account with Bisq 2 get some implications on top your privacy. For verify your 'account age', your Bisq 1 identity go dey linked cryptographically to your Bisq 2 profile ID.\nBut, the exposure na limited to the 'Bisq 1 bridge node' wey Bisq contributor set up and him get BSQ bond (bonded role).\n\nAccount age na alternative for people wey no wan use burned BSQ or BSQ bonds because of financial cost. The 'account age' suppose dey at least several months old to show small level of trust.", + "reputation.signedWitness.score.headline" to "How e affect reputation score", + "reputation.accountAge.info" to "By linking your Bisq 1 'account age', you fit provide small level of trust.\n\nSome people go expect say user wey don use Bisq for some time na honest user. But this one no strong like other forms of reputation wey users dey provide strong proof with some financial resources.", + "reputation.reputationScore.closing" to "If you wan know more about how seller don build their Reputashin, check 'Ranking' section and click 'Show details' for the user.", + "user.bondedRoles.cancellation.success" to "Cancellation request don successfully send. You go see for the table down if the cancellation request don verify and the role don remove by the oracle node.", + "reputation.buildReputation.intro.part1.formula.output" to "Maksimum trad amount for USD *", + "reputation.buildReputation.signedAccount.title" to "Signed witness for Account age", + "reputation.signedWitness.infoHeadline" to "Provide trust", + "user.bondedRoles.type.EXPLORER_NODE.about.info" to "Blockchain explorer node dey use for transaction lookup of the Bitcoin transaction for Bisq Easy.", + "reputation.buildReputation.signedAccount.description" to "Pipo wey dey use Bisq 1 fit gain Reputashin by importing their signed account age from Bisq 1 go Bisq 2.", + "reputation.burnedBsq.score.info" to "Burned BSQ na di strongest form of Reputashin wey get high weight factor. Dem go apply time-based boost for di first year, wey go gradually increase di skor up to double im initial value.", + "reputation.accountAge" to "Akaunt age", + "reputation.burnedBsq.howTo" to "1. Select the user profile wey you wan attach the reputation.\n2. Copy the 'profile ID'\n3. Open Bisq 1 and go to 'DAO/PROOF OF BURN' and paste the copied value inside the 'pre-image' field.\n4. Enter the amount of BSQ wey you wan burn.\n5. Publish the Burn BSQ transaction.\n6. After blockchain confirmation, your reputation go show for your profile.", + "user.bondedRoles.type.ARBITRATOR.how.inline" to "person wey fit arbitrate", + "user.bondedRoles.type.RELEASE_MANAGER" to "Release manager", + "reputation.bond.info" to "As you set up BSQ bond, you dey show say you lock money to gain reputation.\nDi BSQ bond transaction get di hash of di public key of your profile. If you do any bad thing, DAO fit collect your bond and mediators fit ban your profile.", + "reputation.weight" to "Weyt", + "reputation.buildReputation.bsqBond.title" to "Bonded BSQ", + "reputation.sim.age" to "Age for days", + "reputation.burnedBsq.howToHeadline" to "How to burn BSQ", + "reputation.bond.howToHeadline" to "How to set up BSQ bond", + "reputation.sim.age.prompt" to "Enter the age for days", + "user.bondedRoles.type.SECURITY_MANAGER.about.info" to "Security manager fit send alert message if emergency situation show face.", + "reputation.bond.score.info" to "Set up BSQ bond na strong form of Reputashin. Lock time suppose dey at least: 50 000 blocks (about 1 year). Time-based boost go dey apply during the first year, wey go dey gradually increase the skor up to double im initial value.", + "reputation.signedWitness" to "Signed witness for account age", + "user.bondedRoles.registration.about.headline" to "About di {0} role", + "user.bondedRoles.registration.hideInfo" to "Hide instrakshons", + "reputation.source.BURNED_BSQ" to "Burning BSQ", + "reputation.buildReputation.learnMore" to "Learn more about the Bisq Reputashin system at the", + "reputation.reputationScore.explanation.stars.description" to "Dis na graphical representashon of di skor. See di conversion table wey dey below for how stars dey calculated.\nE dey recommended make you trade with sellers wey get di highest number of stars.", + "reputation.burnedBsq.tab1" to "Why", + "reputation.burnedBsq.tab3" to "How-to", + "reputation.burnedBsq.tab2" to "Skor", + "user.bondedRoles.registration.node.addressInfo" to "Node adres data", + "reputation.buildReputation.signedAccount.button" to "Learn how to import signed witness", + "user.bondedRoles.type.ORACLE_NODE.about.info" to "Oracle node dey use to provide Bisq 1 and DAO data for Bisq 2 use cases like reputation.", + "reputation.buildReputation.intro.part1.formula.input" to "Reputashin Skor", + "reputation.signedWitness.import.step2.title" to "Step 2", + "reputation.table.columns.reputationScore" to "Reputashin Skor", + "user.bondedRoles.table.columns.node.address.openPopup" to "Open adres data popup", + "reputation.sim.lockTime.prompt" to "Enter lock time", + "reputation.sim.score" to "Total Skor", + "reputation.accountAge.import.step3.title" to "Step 3", + "reputation.signedWitness.info2" to "Linking your Bisq 1 account with Bisq 2 get some implications on top your privacy. For verify your 'signed account age witness', your Bisq 1 identity go dey linked cryptographically to your Bisq 2 profile ID.\nBut, the exposure na limited to the 'Bisq 1 bridge node' wey Bisq contributor set up and him get BSQ bond (bonded role).\n\nSigned account age witness na alternative for people wey no wan use burned BSQ or BSQ bonds because of the financial cost. The 'signed account age witness' suppose dey at least 61 days old to fit show for reputation.", + "user.bondedRoles.type.RELEASE_MANAGER.how.inline" to "person wey fit manage release", + "user.bondedRoles.table.columns.oracleNode" to "Oracle node", + "reputation.accountAge.import.step2.title" to "Step 2", + "user.bondedRoles.type.MODERATOR.about.info" to "Chat users fit report any breach of chat or trade rules to moderator.\nIf the info wey dem provide dey enough to prove say person breach the rules, moderator fit ban the user from the network.\nIf pesin way get some kain reputation violate seriously and the reputation go loss value, the relevant source data (like the DAO transaction or account age data) go blacklisted for Bisq 2 and dem go report am for Bisq 1 through oracle operator and dem go ban the user for Bisq 1 too.", + "reputation.source.PROFILE_AGE" to "Profile age", + "reputation.bond.howTo" to "1. Select the user profile wey you wan attach the reputation.\n2. Copy the 'profile ID'\n3. Open Bisq 1 and go to 'DAO/BONDING/BONDED REPUTATION' and paste the copied value inside the 'salt' field.\n4. Enter the amount of BSQ wey you wan lock up and the lock time (50 000 blocks).\n5. Publish the lockup transaction.\n6. After blockchain confirmation, your reputation go show for your profile.", + "reputation.table.columns.details" to "Detaile", + "reputation.details.table.columns.score" to "Skor", + "reputation.bond.infoHeadline" to "Skin for di game", + "user.bondedRoles.registration.node.showKeyPair" to "Show key pair", + "user.bondedRoles.table.columns.userProfile.defaultNode" to "Node operator wey get statically provided key", + "reputation.signedWitness.import.step1.title" to "Step 1", + "user.bondedRoles.type.MODERATOR.how.inline" to "person wey fit moderate", + "user.bondedRoles.cancellation.requestCancellation" to "Request Cancelseshon", + "user.bondedRoles.verification.howTo.nodes" to "How to verify network node?", + "user.bondedRoles.registration.how.info" to "1. Select the user profile wey you wan use for registration and create backup for your data directory.\n2. Make proposal for 'https://github.com/bisq-network/proposals' to become {0} and add your profile ID for the proposal.\n3. After your proposal don review and community support am, make DAO proposal for bonded role.\n4. After your DAO proposal don accept for DAO voting, lock up the required BSQ bond.\n5. After your bond transaction don confirm, go 'DAO/Bonding/Bonded roles' for Bisq 1 and click sign button make signing popup window show.\n6. Copy profile ID and paste am for message field. Click sign and copy signature. Paste signature for Bisq 2 signature field.\n7. Enter bondholder username.\n{1}", + "reputation.accountAge.score.headline" to "How e affect reputation score", + "user.bondedRoles.table.columns.userProfile" to "User Profile", + "reputation.accountAge.import.step1.title" to "Step 1", + "reputation.signedWitness.import.step3.title" to "Step 3", + "user.bondedRoles.registration.profileId" to "Profile ID", + "user.bondedRoles.type.ARBITRATOR" to "Arbitre", + "user.bondedRoles.type.ORACLE_NODE.how.inline" to "person wey dey operate oracle node", + "reputation.pubKeyHash" to "Profile ID", + "reputation.reputationScore.sellerReputation" to "Reputashin for seller na di best signal\nto predict di likelihood of a successful trade for Bisq Easy.", + "user.bondedRoles.table.columns.signature" to "Signed witness", + "user.bondedRoles.registration.node.pubKey" to "Public key", + "user.bondedRoles.type.EXPLORER_NODE.about.inline" to "explorer node operator", + "user.bondedRoles.table.columns.profileId" to "Profile ID", + "user.bondedRoles.type.MARKET_PRICE_NODE.about.inline" to "market price node operator", + "reputation.source.BISQ1_SIGNED_ACCOUNT_AGE_WITNESS" to "Signed witness", + "reputation.accountAge.import.step3.instruction1" to "3.1. - Open Bisq 1 and go to 'AKAUNT/NATIONAL CURRENCY AKAUNTS'.", + "reputation.accountAge.import.step3.instruction2" to "3.2. - Select di oldest account and click 'EXPORT ACCOUNT AGE FOR BISQ 2'.", + "reputation.accountAge.import.step3.instruction3" to "3.3. - Dis go create json data wey get signature of your Bisq 2 Profile ID and copy am to di clipboard.", + "user.bondedRoles.table.columns.node.address.popup.headline" to "Node adres data", + "reputation.reputationScore.explanation.score.description" to "Dis na di total skor wey seller don build so far.\nDi skor fit increase in several ways. Di best way to do am na by burning or bonding BSQ. Dis mean say di seller don put stake upfront and, as a result, dem fit see am as trustworthy.\nYou fit read more on how to increase di skor for 'Build Reputashin' section.\nE dey recommended to trade with sellers wey get di highest skor.", + "reputation.details.table.columns.source" to "Type", + "reputation.sim.burnAmount" to "BSQ amount", + "reputation.buildReputation.burnBsq.description" to "Dis na di strongest form of Reputashin.\nDi skor wey dem gain by burning BSQ double for di first year.", + "user.bondedRoles.registration.failed" to "Sending the registration request fail.\n\n{0}", + "user.bondedRoles.type.ORACLE_NODE" to "Oracle node", + "user.bondedRoles.table.headline.nodes" to "Registered netwok nodes", + "user.bondedRoles.headline.nodes" to "Netwok nodes", + "user.bondedRoles.registration.bondHolderName.prompt" to "Enter di username of di Bisq 1 bond holder", + "reputation.burnedBsq.info2" to "The amount go depend on the competition for sellers. The sellers with the highest reputation score go get better trade opportunities and fit get better price. The best offers wey get high reputation go dey promoted for the 'Trade wizard'.\n\nBuyers fit only select offers from sellers wey get reputation score of at least 30,000. This one na default value wey fit change for the preferences.\n\nIf burning BSQ no make sense for you, you fit consider other options wey dey available to build up reputation.", + "reputation.reputationScore.explanation.ranking.title" to "Ranking", + "reputation.sim.headline" to "Simulashon tool:", + "reputation.accountAge.totalScore" to "Account age for days * weight", + "user.bondedRoles.table.columns.node" to "Node", + "user.bondedRoles.verification.howTo.roles" to "How to verify bonded role?", + "reputation.signedWitness.import.step2.profileId" to "Profile ID (Paste am for di account screen for Bisq 1)", + "reputation.bond.totalScore" to "BSQ amount * weight * (1 + Profile age / 365)", + "user.bondedRoles.type.ORACLE_NODE.about.inline" to "oracle node operator", + "reputation.table.columns.userProfile" to "User Profile", + "user.bondedRoles.registration.signature" to "Signed witness", + "reputation.table.columns.livenessState" to "Last user aktiviti", + "user.bondedRoles.table.headline.roles" to "Registered Bonded Roles", + "reputation.signedWitness.import.step4.title" to "Step 4", + "user.bondedRoles.type.EXPLORER_NODE" to "Explorer node", + "user.bondedRoles.type.MEDIATOR.about.inline" to "mediata", + "user.bondedRoles.type.EXPLORER_NODE.how.inline" to "person wey dey operate explorer node", + "user.bondedRoles.registration.success" to "Registration request don successfully send. You go see for the table down if the registration don verify and publish by the oracle node.", + "reputation.signedWitness.infoHeadline2" to "Implications for Privacy", + "user.bondedRoles.type.SEED_NODE.how.inline" to "person wey dey operate seed node", + "reputation.buildReputation.headline" to "Build Reputashin", + "reputation.reputationScore.headline" to "Reputashin Skor", + "user.bondedRoles.registration.node.importAddress" to "Import Walet address", + "user.bondedRoles.registration.how.info.role" to "8. Click 'Request registration' button. If everything correct, your registration go show for Registered bonded roles table.", + "user.bondedRoles.table.columns.bondUserName" to "Bonded username", + ), + "chat" to mapOf( + "chat.message.wasEdited" to "(edit don happen)", + "support.support.description" to "Chanel for support queshon", + "chat.sideBar.userProfile.headline" to "Profil for User", + "chat.message.reactionPopup" to "react with", + "chat.listView.scrollDown" to "Scroll down", + "chat.message.privateMessage" to "Send private message", + "chat.notifications.offerTaken.message" to "ID Transakshon: {0}", + "discussion.bisq.description" to "Pablik chanel for diskashon", + "chat.reportToModerator.info" to "Abeg, make you sabi di trad ruls well well and make sure say di reason wey you wan report na violation of dem ruls.\nYou fit read di trad ruls and chat ruls wen you click di question mark icon for di top-right corner for di chat screens.", + "chat.notificationsSettingsMenu.all" to "All mesaj", + "chat.message.deliveryState.ADDED_TO_MAILBOX" to "Message added to peer's mailbox", + "chat.channelDomain.SUPPORT" to "Support", + "chat.sideBar.userProfile.ignore" to "Igno", + "chat.sideBar.channelInfo.notifications.off" to "Off", + "support.support.title" to "Assitens", + "discussion.bitcoin.title" to "Bitcoin", + "chat.ignoreUser.warn" to "Selecting 'Ignór Usúr' go effectively hide all mesaj from dis user.\n\nDis action go take effect di next time you enter di chat.\n\nTo reverse dis, go to di more opsi menu > Info for Channel > Partisipants and select 'Undo ignore' next to di user.", + "events.meetups.description" to "Chanel for anonsments for meetups", + "chat.message.deliveryState.FAILED" to "Send message no work.", + "chat.sideBar.channelInfo.notifications.all" to "All mesaj", + "discussion.bitcoin.description" to "Chanel for diskushon about Bitcoin", + "chat.message.input.prompt" to "Type new message", + "chat.channelDomain.BISQ_EASY_OFFERBOOK" to "Bisq Easy", + "chat.message.takeOffer.buyer.makersReputationScoreTooLow.no" to "No, I go look for anoda offer", + "chat.ellipsisMenu.tradeGuide" to "Trayd Gaid", + "chat.chatRules.content" to "- Be respectful: Treat others well, avoid offensive language, personal attacks, and harassment.- Be tolerant: Keep open mind and accept say others fit get different views, cultural background and experiences.- No spamming: No flood the chat with repetitive or irrelevant messages.- No advertising: No promote commercial products, services, or post promotional links.- No trolling: Disruptive behavior and intentional provocation no welcome.- No impersonation: No use nicknames wey mislead others into thinking you be well-known person.- Respect privacy: Protect your and others' privacy; no share trade details.- Report misconduct: Report rule violations or inappropriate behavior to the moderator.- Enjoy the chat: Engage in meaningful discussions, make friends, and enjoy for friendly and inclusive community.\n\nBy participating for the chat, you agree to follow these rules.\nSerious rule violations fit lead to ban from the Bisq network.", + "chat.messagebox.noChats.placeholder.description" to "Join di discussion for {0} to share your thoughts and ask questions.", + "chat.channelDomain.BISQ_EASY_OPEN_TRADES" to "Bisq Easy trad", + "chat.message.deliveryState.MAILBOX_MSG_RECEIVED" to "Peer don download mailbox message", + "chat.message.takeOffer.buyer.makersReputationScoreTooLow.warning" to "Di seller''s reputashin skor of {0} dey below di required skor of {1} for a trad amount of {2}.\n\nBisq Easy''s sekuriti model dey rely on di seller''s reputashin as di buyer need to Send di fiat currency first. If you choose to continue with taking di offer despite di lack of reputashin, make sure say you fully sabi di risks wey dey involved.\n\nTo learn more about di reputashin system, visit: [HYPERLINK:https://bisq.wiki/Reputashin].\n\nYou wan continue and take dat offer?", + "chat.message.input.send" to "Send messij", + "chat.message.send.offerOnly.warn" to "You get di 'Offers only' option selected. Normal text messages no go show for dat mode.\n\nYou wan change di mode to see all messages?", + "chat.notificationsSettingsMenu.title" to "Notifikeshen opsi:", + "chat.notificationsSettingsMenu.globalDefault" to "Us default", + "chat.privateChannel.message.leave" to "{0} don waka comot for dat chat", + "chat.channelDomain.BISQ_EASY_PRIVATE_CHAT" to "Bisq Easy", + "chat.sideBar.userProfile.profileAge" to "Profil age", + "events.tradeEvents.description" to "Channel for anons for trady events", + "chat.sideBar.userProfile.mention" to "Menshon", + "chat.notificationsSettingsMenu.off" to "Off", + "chat.private.leaveChat.confirmation" to "You sure say you wan leave dis chat?\nYou go lose access to the chat and all the chat information.", + "chat.reportToModerator.message.prompt" to "Enter message for moderator", + "chat.message.resendMessage" to "Click to Send the message.", + "chat.reportToModerator.headline" to "Report to Moderator", + "chat.sideBar.userProfile.livenessState" to "Last pipo activity", + "chat.privateChannel.changeUserProfile.warn" to "You dey for private chat channel wey you create with user profile ''{0}''.\n\nYou no fit change the user profile while you dey for that chat channel.", + "chat.message.contextMenu.ignoreUser" to "Ignoer pipo", + "chat.message.contextMenu.reportUser" to "Report user to Moderator", + "chat.leave.info" to "You dey about to leave dis chat.", + "chat.messagebox.noChats.placeholder.title" to "Start di conversation!", + "support.questions.description" to "Kana for transakshon assistans", + "chat.message.deliveryState.CONNECTING" to "Connecting to peer", + "chat.message.takeOffer.buyer.makersReputationScoreTooLow.yes" to "Yes, I sabi di risk and I wan continue", + "discussion.markets.title" to "Markit", + "chat.notificationsSettingsMenu.tooltip" to "Notification Options", + "chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.warning" to "Di seller''s reputashin skor dey {0}, wey dey below di required skor of {1} for a trad amount of {2}.\n\nSince di trad amount dey relatively low, di reputashin requirements don relax. But if you choose to continue despite di seller''s insufficient reputashin, make sure say you fully sabi di risks wey dey involved. Bisq Easy''s sekuriti model dey depend on di seller''s reputashin, as di buyer need to Send fiat currency first.\n\nTo learn more about di reputashin system, visit: [HYPERLINK:https://bisq.wiki/Reputashin].\n\nYou still wan take di offer?", + "chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.yes" to "Yes, I sabi di risk and wan continue", + "chat.message.supportedLanguages" to "Langwej wey dem dey support:", + "chat.sideBar.userProfile.totalReputationScore" to "Total Reputashin Skor", + "chat.topMenu.chatRules.tooltip" to "Open chat ruls", + "support.reports.description" to "Channel for insidens and fraud report", + "events.podcasts.title" to "Podkast", + "chat.sideBar.userProfile.statement" to "Statemnt", + "chat.sideBar.userProfile.sendPrivateMessage" to "Send private message", + "chat.sideBar.userProfile.undoIgnore" to "Undo ignore", + "chat.channelDomain.DISCUSSION" to "Diskoshon", + "chat.message.delete.differentUserProfile.warn" to "Dis chat message na from another user profile.\n\nYou wan delete the message?", + "chat.message.moreOptions" to "More opsi", + "chat.private.messagebox.noChats.title" to "{0} privet chats", + "chat.reportToModerator.report" to "Report to Moderator", + "chat.message.deliveryState.ACK_RECEIVED" to "Message receipt acknowledged", + "events.tradeEvents.title" to "Trayd", + "discussion.bisq.title" to "Diskashon", + "chat.private.messagebox.noChats.placeholder.title" to "You no get any ongoing conversations", + "chat.sideBar.userProfile.id" to "User ID", + "chat.sideBar.userProfile.transportAddress" to "Transport adres", + "chat.sideBar.userProfile.version" to "Vershon", + "chat.listView.scrollDown.newMessages" to "Scroll down make you read new messages", + "chat.sideBar.userProfile.nym" to "Bot ID", + "chat.message.takeOffer.seller.myReputationScoreTooLow.warning" to "Your reputashin skor dey {0} and below di required reputashin skor of {1} for di trad amount of {2}.\n\nDi sekuriti model of Bisq Easy dey based on di seller's reputashin.\nTo learn more about di reputashin system, visit: [HYPERLINK:https://bisq.wiki/Reputashin].\n\nYou fit read more about how to build up your reputashin at ''Reputashin/Build Reputashin''.", + "chat.private.messagebox.noChats.placeholder.description" to "To chat with person privately, hover over their message for public chat and click 'Send private message'.", + "chat.message.takeOffer.seller.myReputationScoreTooLow.headline" to "Your Reputashin Skor dey too low to take that offer", + "chat.sideBar.channelInfo.participants" to "Partisipants", + "events.podcasts.description" to "Channel for anons for podcasts", + "chat.message.deliveryState.SENT" to "Message sent (receipt not confirmed yet)", + "chat.message.offer.offerAlreadyTaken.warn" to "You don already take that offer.", + "chat.message.supportedLanguages.Tooltip" to "Langwej wey dem dey support", + "chat.ellipsisMenu.channelInfo" to "Info for Channel", + "discussion.markets.description" to "Chanel wey people dey discuss about markets and price", + "chat.topMenu.tradeGuide.tooltip" to "Open Trayd Gaid", + "chat.sideBar.channelInfo.notifications.mention" to "If dem mention", + "chat.message.send.differentUserProfile.warn" to "You don use another user profile for that channel.\n\nYou sure say you wan send that message with the currently selected user profile?", + "events.meetups.title" to "Meetups", + "chat.message.citation.headline" to "Replai to:", + "chat.notifications.offerTaken.title" to "{0} don take your offer", + "chat.message.takeOffer.buyer.makersReputationScoreTooLow.headline" to "Sekuriti warning", + "chat.ignoreUser.confirm" to "Ignór Usúr", + "chat.chatRules.headline" to "Chat ruls", + "discussion.offTopic.description" to "Chanel for off-topic waka", + "chat.leave.confirmLeaveChat" to "Lef chat", + "chat.sideBar.channelInfo.notifications.globalDefault" to "Us default", + "support.reports.title" to "Ripo", + "chat.message.reply" to "Replai", + "support.questions.title" to "Assitens", + "chat.sideBar.channelInfo.notification.options" to "Notifikeshon opsi", + "chat.reportToModerator.message" to "Mesej to moderator", + "chat.sideBar.userProfile.terms" to "Trayd tams", + "chat.leave" to "Click here to waka comot", + "chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.headline" to "Abeg, check di risks wen you dey take dat offer", + "events.conferences.description" to "Channel for anunsment for konferens", + "discussion.offTopic.title" to "No be di topic", + "chat.ellipsisMenu.chatRules" to "Chat ruls", + "chat.notificationsSettingsMenu.mention" to "If Dem Mention You", + "events.conferences.title" to "Konferens", + "chat.ellipsisMenu.tooltip" to "More opsi", + "chat.private.openChatsList.headline" to "Chat pias", + "chat.notifications.privateMessage.headline" to "Privet mesaj", + "chat.channelDomain.EVENTS" to "Ivent", + "chat.sideBar.userProfile.report" to "Report to Moderator", + "chat.message.deliveryState.TRY_ADD_TO_MAILBOX" to "Try to add message to peer's mailbox", + "chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.no" to "No, I dey find anoda offer", + "chat.private.title" to "Privet chats", + ), + "support" to mapOf( + "support.resources.guides.headline" to "Guide", + "support.resources.resources.community" to "Bisq Community For Matrix", + "support.resources.backup.headline" to "Backup", + "support.resources.backup.setLocationButton" to "Set Backup Location", + "support.resources.resources.contribute" to "How To Contribute To Bisq", + "support.resources.backup.location.prompt" to "Set Backup Location", + "support.resources.legal.license" to "Software License (AGPLv3)", + "support.resources" to "Resources", + "support.resources.backup.backupButton" to "Backup Bisq Data Directory", + "support.resources.backup.destinationNotExist" to "Backup Destination ''{0}'' No Exist", + "support.resources.backup.selectLocation" to "Select Backup Location", + "support.resources.backup.location.invalid" to "Backup Location Path No Correct", + "support.resources.legal.headline" to "Legal", + "support.resources.resources.webpage" to "Bisq Webpage", + "support.resources.guides.chatRules" to "Open Chat Rules", + "support.resources.backup.location" to "Backup Location", + "support.resources.localData.openTorLogFile" to "Open Tor 'debug.log' file", + "support.resources.legal.tac" to "Open User Agreement", + "support.resources.localData.headline" to "Local Data", + "support.resources.backup.success" to "Backup Successfully Save For:\n{0}", + "support.resources.backup.location.help" to "Backup No Dey Encrypted", + "support.resources.localData.openDataDir" to "Open Bisq Data Directory", + "support.resources.resources.dao" to "About The Bisq DAO", + "support.resources.resources.sourceCode" to "GitHub Source Code Repository", + "support.resources.resources.headline" to "Web Resources", + "support.resources.localData.openLogFile" to "Open 'bisq.log' file", + "support.resources.guides.tradeGuide" to "Open Trade Guide", + "support.resources.guides.walletGuide" to "Open Wallet Guide", + "support.assistance" to "Assistance", + ), + "user" to mapOf( + "user.password.savePassword.success" to "Password protection don dey enabled.", + "user.bondedRoles.userProfile.select.invalid" to "Abeg select user profile from di list", + "user.paymentAccounts.noAccounts.whySetup" to "Why e good make you set up account?", + "user.paymentAccounts.deleteAccount" to "Delete payment Akaunt", + "user.userProfile.terms.tooLong" to "Trade terms no fit pass {0} characters", + "user.password.enterPassword" to "Enter password (at least 8 characters)", + "user.userProfile.statement.tooLong" to "Statement no fit pass {0} characters", + "user.paymentAccounts.createAccount.subtitle" to "The payment account na only stored for your computer and them go only send am to your trade partner if you decide to do am.", + "user.password.confirmPassword" to "Confirm password", + "user.userProfile.popup.noSelectedProfile" to "Abeg select user profile from di list", + "user.userProfile.statement.prompt" to "Write optional statement", + "user.userProfile.comboBox.description" to "User Profile", + "user.userProfile.save.popup.noChangesToBeSaved" to "No new changes to save", + "user.userProfile.livenessState" to "Last user activity: {0} ago", + "user.userProfile.statement" to "Statement", + "user.paymentAccounts.accountData" to "Payment account information", + "user.paymentAccounts.createAccount" to "Create new payment Akaunt", + "user.paymentAccounts.noAccounts.whySetup.info" to "When you wan sell Bitcoin, you need to provide your payment account details to the buyer so that them go fit send you the national currency payment. Setting up accounts before now go allow you access this information quick and easy during the trade.", + "user.userProfile.deleteProfile" to "Delete Profile", + "user.userProfile.reputation" to "Reputashin", + "user.userProfile.learnMore" to "Why create new profile?", + "user.userProfile.terms" to "Trayd terms", + "user.userProfile.deleteProfile.popup.warning" to "You sure say you wan delete {0}? You no fit undo this action.", + "user.paymentAccounts.createAccount.sameName" to "This account name don dey use before. Abeg use another name.", + "user.userProfile" to "User Profile", + "user.password" to "Password", + "user.userProfile.nymId" to "Bot ID", + "user.paymentAccounts" to "Akaunt for Payment", + "user.paymentAccounts.createAccount.accountData.prompt" to "Enter payment account information (e.g. bank account details) wey you wan share with potential Bitcoin buyer, so that them fit send you the national currency amount.", + "user.paymentAccounts.headline" to "Your payment accounts", + "user.userProfile.addressByTransport.I2P" to "I2P address: {0}", + "user.userProfile.livenessState.description" to "Last user activity", + "user.paymentAccounts.selectAccount" to "Select Akaunt for Payment", + "user.userProfile.new.statement" to "Statement", + "user.userProfile.terms.prompt" to "Write optional trade terms", + "user.password.headline.removePassword" to "Remove password protection", + "user.bondedRoles.userProfile.select" to "Select user Profile", + "user.userProfile.userName.banned" to "[Banned] {0}", + "user.paymentAccounts.createAccount.accountName" to "Akaunt for Payment name", + "user.userProfile.new.terms" to "Your Trayd terms", + "user.paymentAccounts.noAccounts.info" to "You never set up any account yet.", + "user.paymentAccounts.noAccounts.whySetup.note" to "Background information:\nYour account data dey store for your computer alone, and them go only share am with your trade partner if you decide to share am.", + "user.userProfile.profileAge.tooltip" to "Di 'Profile age' na di age for days of dat user profile.", + "user.userProfile.deleteProfile.popup.warning.yes" to "Yes, delete Profile", + "user.userProfile.version" to "Version: {0}", + "user.userProfile.profileAge" to "Profile age", + "user.userProfile.tooltip" to "Nickname: {0}\nBot ID: {1}\nProfile ID: {2}\n{3}", + "user.userProfile.new.step2.subTitle" to "You fit add personalized statement to your profile and set your trade terms, but e no dey compulsory.", + "user.paymentAccounts.createAccount.accountName.prompt" to "Set unique name for your payment account", + "user.userProfile.addressByTransport.CLEAR" to "Clear net address: {0}", + "user.password.headline.setPassword" to "Set password protection", + "user.password.button.removePassword" to "Remove password", + "user.password.removePassword.failed" to "Invalid password.", + "user.userProfile.livenessState.tooltip" to "Di time wey don pass since di user profile don republish to di network because of user activity like mouse movements.", + "user.userProfile.tooltip.banned" to "Dis profile dey banned!", + "user.userProfile.addressByTransport.TOR" to "Tor address: {0}", + "user.userProfile.new.step2.headline" to "Complete your Profile", + "user.password.removePassword.success" to "Password protection don dey removed.", + "user.userProfile.livenessState.ageDisplay" to "{0} don waka comot", + "user.userProfile.createNewProfile" to "Create new Profile", + "user.userProfile.new.terms.prompt" to "Optional set Trayd terms", + "user.userProfile.profileId" to "Profile ID", + "user.userProfile.deleteProfile.cannotDelete" to "Dem no allow delete user profile\n\nTo delete dis profile, first:\n- Delete all messages wey you post with dis profile\n- Close all private channels for dis profile\n- Make sure say you get at least one more profile", + "user.paymentAccounts.noAccounts.headline" to "Your payment accounts", + "user.paymentAccounts.createAccount.headline" to "Add new Akaunt for Payment", + "user.userProfile.nymId.tooltip" to "Dis 'Bot ID' na from di hash of di public key of dat\nuser profile identity.\nDem append am to di nickname if dem get plenty user profiles inside\ndi network with di same nickname to differentiate dem clearly.", + "user.userProfile.new.statement.prompt" to "Optional add statement", + "user.password.button.savePassword" to "Save password", + "user.userProfile.profileId.tooltip" to "Di 'Profile ID' na di hash of di public key of dat user profile identity\nencoded as hexadecimal string.", + ), + "network" to mapOf( + "network.version.localVersion.headline" to "Lokal versiyn info", + "network.nodes.header.numConnections" to "Number Of Connections", + "network.transport.traffic.sent.details" to "Data wey dem send: {0}\nTime wey e take send message: {1}\nNumber of messages: {2}\nNumber of messages by class name: {3}\nNumber of distributed data by class name: {4}", + "network.nodes.type.active" to "User Node (Active)", + "network.connections.outbound" to "Otside", + "network.transport.systemLoad.details" to "Size of data wey dem save for network: {0}\nCurrent network load: {1}\nAverage network load: {2}", + "network.transport.headline.CLEAR" to "Klia net", + "network.nodeInfo.myAddress" to "My Default Address", + "network.version.versionDistribution.version" to "Vershon {0}", + "network.transport.headline.I2P" to "I2P", + "network.version.versionDistribution.tooltipLine" to "{0} user profile wey get version ''{1}''", + "network.transport.pow.details" to "Total time wey dem spend: {0}\nAverage time per message: {1}\nNumber of messages: {2}", + "network.nodes.header.type" to "Type", + "network.transport.pow.headline" to "Proof of Work", + "network.header.nodeTag" to "Identity Tag", + "network.nodes.title" to "My Nodes", + "network.connections.ioData" to "{0} / {1} Mensij", + "network.connections.title" to "Konekshons", + "network.connections.header.peer" to "Peer", + "network.nodes.header.keyId" to "Key ID", + "network.version.localVersion.details" to "Bisq versiyn: v{0}\nCommit hash: {1}\nTor versiyn: v{2}", + "network.nodes.header.address" to "Server Address", + "network.connections.seed" to "Seed node", + "network.p2pNetwork" to "P2P netwok", + "network.transport.traffic.received.details" to "Data wey dem receive: {0}\nTime wey e take do message deserialize: {1}\nNumber of messages: {2}\nNumber of messages by class name: {3}\nNumber of distributed data by class name: {4}", + "network.nodes" to "Infrastaksha Nodes", + "network.connections.inbound" to "Inbound", + "network.header.nodeTag.tooltip" to "Identity Tag: {0}", + "network.version.versionDistribution.oldVersions" to "2.0.4 (or below)", + "network.nodes.type.retired" to "User Node (Retired)", + "network.transport.traffic.sent.headline" to "Outbound traffic for last hour", + "network.roles" to "Bonded roles", + "network.connections.header.sentHeader" to "Send", + "network.connections.header.receivedHeader" to "Receiv", + "network.nodes.type.default" to "Gossip Node", + "network.version.headline" to "Vershon distribushon", + "network.myNetworkNode" to "Ma netwok node", + "network.transport.headline.TOR" to "Tor", + "network.connections.header.connectionDirection" to "In/Otside", + "network.transport.traffic.received.headline" to "Inbound traffic for last hour", + "network.transport.systemLoad.headline" to "Sistem load", + "network.connections.header.rtt" to "RTT", + "network.connections.header.address" to "Adrees", + ), + "settings" to mapOf( + "settings.language.supported.select" to "Chuze Language", + "settings.network.difficultyAdjustmentFactor.ignoreValueFromSecManager" to "Ignore value wey Bisq Security Manager provide", + "settings.notification.option.off" to "Off", + "settings.network.difficultyAdjustmentFactor.description.self" to "Custom PoW difikulti adjasment faktor", + "settings.backup.totalMaxBackupSizeInMB.info.tooltip" to "Important data dey automatically backed up for di data directory anytime dem make updates,\nfollowing dis retention strategy:\n - Last Hour: Keep maximum of one backup per minute.\n - Last Day: Keep one backup per hour.\n - Last Week: Keep one backup per day.\n - Last Month: Keep one backup per week.\n - Last Year: Keep one backup per month.\n - Previous Years: Keep one backup per year.\n\nAbeg note, dis backup mechanism no dey protect against hard disk failures.\nFor better protection, we strongly recommend make you create manual backups for alternative hard drive.", + "settings.notification.option.all" to "All Chat Messages", + "settings.display" to "Display", + "settings.trade" to "Offer an Trayd", + "settings.trade.maxTradePriceDeviation" to "Max. Trayd Price Tolerance", + "settings.backup.totalMaxBackupSizeInMB.description" to "Max. size wey dey MB for automatic backups", + "settings.language.supported.headline" to "Add Languages We You Sabi", + "settings.misc" to "Miscellaneous", + "settings.trade.headline" to "Offer And Trade Settings", + "settings.trade.maxTradePriceDeviation.invalid" to "Mus be a value between 1 and {0}%", + "settings.backup.totalMaxBackupSizeInMB.invalid" to "Mus be a value wey dey between {0} MB and {1} MB", + "settings.language.supported.addButton.tooltip" to "Add di language wey you chuze to di list", + "settings.language.supported.subHeadLine" to "Languages wey you sabi well well", + "settings.display.useAnimations" to "Use Animations", + "settings.notification.notifyForPreRelease" to "Notify You About Pre-Release Software Updates", + "settings.language.select.invalid" to "Abeg chuz language from di list", + "settings.notification.options" to "Notification Options", + "settings.notification.useTransientNotifications" to "Use Transient Notifications", + "settings.language.headline" to "Selek Language", + "settings.language.supported.invalid" to "Abeg chuz language from di list", + "settings.language.restart" to "To apply di new language, you need restart di application", + "settings.backup.headline" to "Backup setin", + "settings.notification.option.mention" to "If Dem Mention You", + "settings.notification.clearNotifications" to "Clear Notifications", + "settings.display.preventStandbyMode" to "No Let Am Go Standby", + "settings.notifications" to "Notifikeshons", + "settings.network.headline" to "Network setin", + "settings.language.supported.list.subHeadLine" to "Sabi For:", + "settings.trade.closeMyOfferWhenTaken" to "Close My Offer Wey Dem Take", + "settings.display.resetDontShowAgain" to "Reset All 'No Show Again' Flags", + "settings.language.select" to "Chuze Language", + "settings.network.difficultyAdjustmentFactor.description.fromSecManager" to "PoW difikulti ajustment faktor by Bisq Security Manager", + "settings.language" to "Langwiji", + "settings.display.headline" to "Display Settings", + "settings.network.difficultyAdjustmentFactor.invalid" to "Mus be number wey dey between 0 and {0}", + "settings.trade.maxTradePriceDeviation.help" to "The maximum price difference that a maker can tolerate when their offer is taken.", + ), + "payment_method" to mapOf( + "F2F_SHORT" to "F2F", + "LN" to "BTC over Lightning Network", + "WISE_USD" to "Wise-USD", + "DOMESTIC_WIRE_TRANSFER_SHORT" to "Wire", + "MAIN_CHAIN_SHORT" to "Onchain", + "IMPS" to "India/IMPS", + "PAYTM" to "India/PayTM", + "RTGS" to "India/RTGS", + "MONESE" to "Monese", + "CIPS_SHORT" to "CIPS", + "MONEY_GRAM" to "MoneyGram", + "WISE" to "Wise", + "TIKKIE" to "Tikkie", + "UPI" to "India/UPI", + "BIZUM" to "Bizum", + "INTERAC_E_TRANSFER" to "Interac e-Transfer", + "LN_SHORT" to "Lightning", + "ALI_PAY" to "AliPay", + "NATIONAL_BANK" to "National bank transfer", + "US_POSTAL_MONEY_ORDER" to "US Postal Money Order", + "JAPAN_BANK" to "Japan Bank Furikomi", + "NATIVE_CHAIN" to "Native chain", + "FASTER_PAYMENTS" to "Faster Payments", + "ADVANCED_CASH" to "Advanced Cash", + "F2F" to "Face to face (in person)", + "SWIFT_SHORT" to "SWIFT", + "WECHAT_PAY" to "WeChat Pay", + "RBTC_SHORT" to "RSK", + "ACH_TRANSFER" to "ACH Transfer", + "CHASE_QUICK_PAY" to "Chase QuickPay", + "INTERNATIONAL_BANK_SHORT" to "International banks", + "HAL_CASH" to "HalCash", + "WESTERN_UNION" to "Western Union", + "ZELLE" to "Zelle", + "JAPAN_BANK_SHORT" to "Japan Furikomi", + "RBTC" to "RBTC (Pegged BTC on RSK side chain)", + "SWISH" to "Swish", + "SAME_BANK" to "Transfer wit same bank", + "ACH_TRANSFER_SHORT" to "ACH", + "AMAZON_GIFT_CARD" to "Amazon eGift Card", + "PROMPT_PAY" to "PromptPay", + "LBTC" to "L-BTC (Pegged BTC for Liquid side chain)", + "US_POSTAL_MONEY_ORDER_SHORT" to "US Money Order", + "VERSE" to "Verse", + "SWIFT" to "SWIFT International Wire Transfer", + "SPECIFIC_BANKS_SHORT" to "Specific banks", + "WESTERN_UNION_SHORT" to "Western Union", + "DOMESTIC_WIRE_TRANSFER" to "Domestic Wire Transfer", + "INTERNATIONAL_BANK" to "International bank transfer", + "UPHOLD" to "Uphold", + "CAPITUAL" to "Capitual", + "CASH_DEPOSIT" to "Cash Deposit", + "WBTC" to "WBTC (wrapped BTC as ERC20 token)", + "MONEY_GRAM_SHORT" to "MoneyGram", + "CASH_BY_MAIL" to "Cash By Mail", + "SAME_BANK_SHORT" to "Same bank", + "SPECIFIC_BANKS" to "Transfers with specific banks", + "PAXUM" to "Paxum", + "NATIVE_CHAIN_SHORT" to "Native chain", + "WBTC_SHORT" to "WBTC", + "PERFECT_MONEY" to "Perfect Money", + "CELPAY" to "CelPay", + "STRIKE" to "Strike", + "MAIN_CHAIN" to "Bitcoin (onchain)", + "SEPA_INSTANT" to "SEPA Instant", + "CASH_APP" to "Cash App", + "POPMONEY" to "Popmoney", + "REVOLUT" to "Revolut", + "NEFT" to "India/NEFT", + "SATISPAY" to "Satispay", + "PAYSERA" to "Paysera", + "LBTC_SHORT" to "Liquid", + "SEPA" to "SEPA", + "NEQUI" to "Nequi", + "NATIONAL_BANK_SHORT" to "National banks", + "CASH_BY_MAIL_SHORT" to "CashByMail", + "OTHER" to "Other", + "PAY_ID" to "PayID", + "CIPS" to "Cross-Border Interbank Payment System", + "MONEY_BEAM" to "MoneyBeam (N26)", + "PIX" to "Pix", + "CASH_DEPOSIT_SHORT" to "Cash Deposit", + ), + "offer" to mapOf( + "offer.priceSpecFormatter.fixPrice" to "Offer with fixed price\n{0}", + "offer.priceSpecFormatter.floatPrice.below" to "{0} below market price\n{1}", + "offer.priceSpecFormatter.floatPrice.above" to "{0} above market price\n{1}", + "offer.priceSpecFormatter.marketPrice" to "At market price\n{0}", + ), + "mobile" to mapOf( + "bootstrap.connectedToTrustedNode" to "Connected to trusted node", + ), + ) +} diff --git a/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/GeneratedResourceBundles_pt_BR.kt b/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/GeneratedResourceBundles_pt_BR.kt new file mode 100644 index 00000000..c8bced77 --- /dev/null +++ b/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/GeneratedResourceBundles_pt_BR.kt @@ -0,0 +1,1368 @@ +package network.bisq.mobile.i18n + +// Auto-generated file. Do not modify manually. +object GeneratedResourceBundles_pt_BR { + val bundles = mapOf( + "default" to mapOf( + "action.exportAsCsv" to "Exportar como CSV", + "action.learnMore" to "Saber mais", + "action.save" to "Salvar", + "component.marketPrice.provider.BISQAGGREGATE" to "Agregador de preços Bisq", + "offer.maker" to "Criador", + "offer.buyer" to "Comprador", + "component.marketPrice.requesting" to "Solicitando preço de mercado", + "component.standardTable.numEntries" to "Número de entradas: {0}", + "offer.createOffer" to "Criar oferta", + "action.close" to "Fechar", + "validation.tooLong" to "O texto de entrada não deve ser mais longo que {0} caracteres", + "component.standardTable.filter.tooltip" to "Filtrar por {0}", + "temporal.age" to "Idade", + "data.noDataAvailable" to "Sem dados disponíveis", + "action.goTo" to "Ir para {0}", + "action.next" to "Próximo", + "offer.buying" to "comprando", + "offer.price.above" to "acima", + "offer.buy" to "comprar", + "offer.taker" to "Tomador", + "validation.password.notMatching" to "As 2 senhas que você digitou não coincidem", + "action.delete" to "Excluir", + "component.marketPrice.tooltip.isStale" to "\nAVISO: Preço de mercado está desatualizado!", + "action.shutDown" to "Desligar", + "component.priceInput.description" to "Preço em {0}", + "component.marketPrice.source.PROPAGATED_IN_NETWORK" to "Propagado pelo nó oráculo: {0}", + "validation.password.tooShort" to "A senha que você digitou é muito curta. Ela precisa ter pelo menos 8 caracteres.", + "validation.invalidLightningInvoice" to "A fatura Lightning parece ser inválida", + "action.back" to "Voltar", + "offer.selling" to "vendendo", + "action.editable" to "Editável", + "offer.takeOffer.buy.button" to "Comprar Bitcoin", + "validation.invalidNumber" to "A entrada não é um número válido", + "action.search" to "Pesquisar", + "validation.invalid" to "Entrada inválida", + "component.marketPrice.source.REQUESTED_FROM_PRICE_NODE" to "Solicitado de: {0}", + "validation.invalidBitcoinAddress" to "O endereço Bitcoin parece ser inválido", + "temporal.year.1" to "{0} ano", + "confirmation.no" to "Não", + "validation.invalidLightningPreimage" to "A pré-imagem Lightning parece ser inválida", + "temporal.day.1" to "{0} dia", + "component.standardTable.filter.showAll" to "Mostrar todos", + "temporal.year.*" to "{0} anos", + "data.add" to "Adicionar", + "offer.takeOffer.sell.button" to "Vender Bitcoin", + "component.marketPrice.source.PERSISTED" to "Dados de mercado ainda não recebidos. Usando dados armazenados.", + "action.copyToClipboard" to "Copiar para a área de transferência", + "confirmation.yes" to "Sim", + "offer.sell" to "vender", + "action.react" to "Reagir", + "temporal.day.*" to "{0} dias", + "temporal.at" to "às", + "component.standardTable.csv.plainValue" to "{0} (valor simples)", + "offer.seller" to "Vendedor", + "temporal.date" to "Data", + "action.iUnderstand" to "Eu entendo", + "component.priceInput.prompt" to "Insira o preço", + "confirmation.ok" to "OK", + "action.dontShowAgain" to "Não mostrar novamente", + "action.cancel" to "Cancelar", + "offer.amount" to "Quantidade", + "action.edit" to "Editar", + "offer.deleteOffer" to "Excluir minha oferta", + "data.remove" to "Remover", + "data.false" to "Falso", + "offer.price.below" to "abaixo", + "data.na" to "N/D", + "action.expandOrCollapse" to "Clique para expandir ou recolher", + "data.true" to "Verdadeiro", + "validation.invalidBitcoinTransactionId" to "O ID da transação Bitcoin parece ser inválido", + "component.marketPrice.tooltip" to "{0}\nAtualizado: {1} ago\nRecebido em: {2}{3}", + "validation.empty" to "String vazia não permitida", + "validation.invalidPercentage" to "A entrada não é um valor percentual válido", + ), + "application" to mapOf( + "onboarding.createProfile.nickName" to "Apelido do perfil", + "notificationPanel.mediationCases.headline.single" to "Nova mensagem para caso de mediação com ID de negociação ''{0}''", + "popup.reportBug" to "Reportar bug aos desenvolvedores do Bisq", + "tac.reject" to "Rejeitar e sair da aplicação", + "dashboard.activeUsers.tooltip" to "Os perfis permanecem publicados na rede\nse o usuário esteve online nos últimos 15 dias.", + "popup.hyperlink.openInBrowser.tooltip" to "Abrir link no navegador: {0}.", + "navigation.reputation" to "Reputação", + "navigation.settings" to "Configurações", + "updater.downloadLater" to "Baixar depois", + "splash.bootstrapState.SERVICE_PUBLISHED" to "{0} publicado", + "updater.downloadAndVerify.info.isLauncherUpdate" to "Depois que todos os arquivos forem baixados, a chave de assinatura é comparada com as chaves fornecidas no aplicativo e aquelas disponíveis no site do Bisq. Esta chave é então usada para verificar o novo instalador do Bisq. Após o download e a verificação serem concluídos, navegue até o diretório de download para instalar a nova versão do Bisq.", + "dashboard.offersOnline" to "Ofertas online", + "onboarding.password.button.savePassword" to "Salvar senha", + "popup.headline.instruction" to "Por favor, observe:", + "updater.shutDown.isLauncherUpdate" to "Abrir diretório de download e desligar", + "updater.ignore" to "Ignorar esta versão", + "navigation.dashboard" to "Painel de Controle", + "onboarding.createProfile.subTitle" to "Seu perfil público consiste em um apelido (escolhido por você) e um ícone de bot (gerado criptograficamente)", + "onboarding.createProfile.headline" to "Crie seu perfil", + "popup.headline.warning" to "Aviso", + "popup.reportBug.report" to "Versão do Bisq: {0}\nSistema operacional: {1}\nMensagem de erro:\n{2}", + "splash.bootstrapState.network.I2P" to "I2P", + "unlock.failed" to "Não foi possível desbloquear com a senha fornecida.\n\nTente novamente e certifique-se de que o Caps Lock está desativado.", + "popup.shutdown" to "O processo de desligamento está em andamento.\n\nPode levar até {0} segundos até que o desligamento seja concluído.", + "splash.bootstrapState.service.TOR" to "Serviço Onion", + "navigation.expandIcon.tooltip" to "Expandir menu", + "updater.downloadAndVerify.info" to "Depois que todos os arquivos forem baixados, a chave de assinatura é comparada com as chaves fornecidas no aplicativo e aquelas disponíveis no site do Bisq. Esta chave é então usada para verificar a nova versão baixada ('desktop.jar').", + "popup.headline.attention" to "Atenção", + "onboarding.password.headline.setPassword" to "Definir proteção por senha", + "unlock.button" to "Desbloquear", + "splash.bootstrapState.START_PUBLISH_SERVICE" to "Iniciar publicação {0}", + "onboarding.bisq2.headline" to "Bem-vindo ao Bisq 2", + "dashboard.marketPrice" to "Último preço de mercado", + "popup.hyperlink.copy.tooltip" to "Copiar link: {0}.", + "navigation.bisqEasy" to "Bisq Easy", + "navigation.network.info.i2p" to "I2P", + "dashboard.third.button" to "Construir Reputação", + "popup.headline.error" to "Erro", + "video.mp4NotSupported.warning" to "Você pode assistir ao vídeo no seu navegador em: [HYPERLINK:{0}]", + "updater.downloadAndVerify.headline" to "Baixar e verificar nova versão", + "tac.headline" to "Acordo do Usuário", + "splash.applicationServiceState.INITIALIZE_SERVICES" to "Inicializar serviços", + "onboarding.password.enterPassword" to "Insira a senha (mín. 8 caracteres)", + "splash.details.tooltip" to "Clique para alternar detalhes", + "navigation.network" to "Rede", + "dashboard.main.content3" to "A segurança é baseada na reputação do vendedor", + "dashboard.main.content2" to "Interface de usuário baseada em chat e guiada para negociação", + "splash.applicationServiceState.INITIALIZE_WALLET" to "Inicializar carteira", + "onboarding.password.subTitle" to "Configure a proteção por senha agora ou pule e faça isso mais tarde em 'Opções do usuário/Senha'.", + "dashboard.main.content1" to "Comece a negociar ou navegue pelas ofertas abertas no livro de ofertas", + "navigation.vertical.collapseIcon.tooltip" to "Recolher sub-menu", + "splash.bootstrapState.network.TOR" to "Tor", + "splash.bootstrapState.service.CLEAR" to "Servidor", + "splash.bootstrapState.CONNECTED_TO_PEERS" to "Conectando aos pares", + "splash.bootstrapState.service.I2P" to "Serviço I2P", + "popup.reportError.zipLogs" to "Compactar arquivos de log", + "updater.furtherInfo.isLauncherUpdate" to "Esta atualização requer uma nova instalação do Bisq.\nSe você tiver problemas ao instalar o Bisq no macOS, leia as instruções em:", + "navigation.support" to "Suporte", + "updater.table.progress.completed" to "Concluído", + "updater.headline" to "Uma nova atualização do Bisq está disponível", + "notificationPanel.trades.button" to "Ir para 'Negociações Abertas'", + "popup.headline.feedback" to "Concluído", + "tac.confirm" to "Eu li e entendi", + "navigation.collapseIcon.tooltip" to "Minimizar menu", + "updater.shutDown" to "Desligar", + "popup.headline.backgroundInfo" to "Informações de fundo", + "splash.applicationServiceState.FAILED" to "Falha na inicialização", + "navigation.userOptions" to "Opções do usuário", + "updater.releaseNotesHeadline" to "Notas de lançamento para a versão {0}:", + "splash.bootstrapState.BOOTSTRAP_TO_NETWORK" to "Inicialização para a rede {0}", + "navigation.vertical.expandIcon.tooltip" to "Expandir sub-menu", + "topPanel.wallet.balance" to "Saldo", + "navigation.network.info.tooltip" to "Rede {0}\nNúmero de conexões: {1}\nConexões alvo: {2}", + "video.mp4NotSupported.warning.headline" to "Vídeo embutido não pode ser reproduzido", + "navigation.wallet" to "Carteira", + "onboarding.createProfile.regenerate" to "Gerar novo ícone de bot", + "splash.applicationServiceState.INITIALIZE_NETWORK" to "Inicializar rede P2P", + "updater.table.progress" to "Progresso do download", + "navigation.network.info.inventoryRequests.tooltip" to "Estado da solicitação de dados de rede:\nNúmero de solicitações pendentes: {0}\nMáx. de solicitações: {1}\nTodos os dados recebidos: {2}", + "onboarding.createProfile.createProfile.busy" to "Inicializando nó de rede...", + "dashboard.second.button" to "Explorar protocolos de negociação", + "dashboard.activeUsers" to "Perfis de usuários publicados", + "hyperlinks.openInBrowser.attention.headline" to "Abrir link da web", + "dashboard.main.headline" to "Obtenha seu primeiro BTC", + "popup.headline.invalid" to "Entrada inválida", + "popup.reportError.gitHub" to "Reportar ao rastreador de problemas do GitHub", + "navigation.network.info.inventoryRequest.requesting" to "Solicitando dados de rede", + "popup.headline.information" to "Informação", + "navigation.network.info.clearNet" to "Rede clara", + "dashboard.third.headline" to "Construa sua reputação", + "tac.accept" to "Aceitar o Acordo do Usuário", + "updater.furtherInfo" to "Esta atualização será carregada após o reinício e não requer uma nova instalação.\nMais detalhes podem ser encontrados na página de lançamento em:", + "onboarding.createProfile.nym" to "ID do Bot:", + "popup.shutdown.error" to "Ocorreu um erro ao desligar: {0}.", + "navigation.authorizedRole" to "Função autorizada", + "onboarding.password.confirmPassword" to "Confirme a senha", + "hyperlinks.openInBrowser.attention" to "Deseja abrir o link para `{0}` no seu navegador web padrão?", + "onboarding.password.button.skip" to "Pular", + "popup.reportError.log" to "Abrir arquivo de log", + "dashboard.main.button" to "Entrar no Bisq Easy", + "updater.download" to "Baixar e verificar", + "dashboard.third.content" to "Você deseja vender Bitcoin no Bisq Easy? Aprenda como funciona o sistema de reputação e por que é importante.", + "hyperlinks.openInBrowser.no" to "Não, copiar link", + "splash.applicationServiceState.APP_INITIALIZED" to "Bisq iniciado", + "navigation.academy" to "Aprender", + "navigation.network.info.inventoryRequest.completed" to "Dados de rede recebidos", + "onboarding.createProfile.nickName.prompt" to "Escolha seu apelido", + "popup.startup.error" to "Ocorreu um erro ao inicializar o Bisq: {0}.", + "version.versionAndCommitHash" to "Versão: v{0} / Hash do commit: {1}", + "onboarding.bisq2.teaserHeadline1" to "Apresentando Bisq Easy", + "onboarding.bisq2.teaserHeadline3" to "Em breve", + "onboarding.bisq2.teaserHeadline2" to "Aprenda & descubra", + "dashboard.second.headline" to "Múltiplos protocolos de negociação", + "splash.applicationServiceState.INITIALIZE_APP" to "Iniciando Bisq", + "unlock.headline" to "Insira a senha para desbloquear", + "onboarding.password.savePassword.success" to "Proteção por senha ativada.", + "notificationPanel.mediationCases.button" to "Ir para 'Mediador'", + "onboarding.bisq2.line2" to "Tenha uma introdução gentil ao Bitcoin\natravés dos nossos guias e chat da comunidade.", + "onboarding.bisq2.line3" to "Escolha como negociar: Bisq MuSig, Lightning, Submarine Swaps,...", + "splash.bootstrapState.network.CLEAR" to "Rede clara", + "updater.headline.isLauncherUpdate" to "Um novo instalador do Bisq está disponível", + "notificationPanel.mediationCases.headline.multiple" to "Novas mensagens para mediação", + "onboarding.bisq2.line1" to "Obter seu primeiro Bitcoin de forma privada\nnunca foi tão fácil.", + "notificationPanel.trades.headline.single" to "Nova mensagem de negociação para a negociação ''{0}''", + "popup.headline.confirmation" to "Confirmação", + "onboarding.createProfile.createProfile" to "Próximo", + "onboarding.createProfile.nym.generating" to "Calculando prova de trabalho...", + "hyperlinks.copiedToClipboard" to "Link copiado para a área de transferência", + "updater.table.verified" to "Assinatura verificada", + "navigation.tradeApps" to "Protocolos", + "navigation.chat" to "Chat", + "dashboard.second.content" to "Confira o roteiro para os próximos protocolos de negociação. Obtenha uma visão geral sobre os recursos dos diferentes protocolos.", + "navigation.network.info.tor" to "Tor", + "updater.table.file" to "Arquivo", + "onboarding.createProfile.nickName.tooLong" to "O apelido não deve ter mais de {0} caracteres", + "popup.reportError" to "Para nos ajudar a melhorar o software, por favor, reporte este bug abrindo uma nova questão em https://github.com/bisq-network/bisq2/issues.\nA mensagem de erro acima será copiada para a área de transferência quando você clicar em qualquer um dos botões abaixo.\nSerá mais fácil para depuração se você incluir o arquivo bisq.log pressionando 'Abrir arquivo de log', salvando uma cópia e anexando-a ao seu relatório de bug.", + "notificationPanel.trades.headline.multiple" to "Novas mensagens de negociação", + ), + "bisq_easy" to mapOf( + "bisqEasy.tradeState.info.seller.phase2b.tradeLogMessage" to "{0} confirmou o recebimento de {1}", + "bisqEasy.tradeWizard.paymentMethods.warn.customPaymentMethodAlreadyExists" to "Um método de pagamento personalizado com o nome {0} já existe.", + "bisqEasy.takeOffer.amount.seller.limitInfo.lowToleratedAmount" to "Como o valor da negociação está abaixo de {0}, os requisitos de Reputação são relaxados.", + "bisqEasy.onboarding.watchVideo.tooltip" to "Assistir vídeo introdutório embutido", + "bisqEasy.takeOffer.paymentMethods.headline.fiat" to "Qual método de pagamento você deseja usar?", + "bisqEasy.walletGuide.receive" to "Recebendo", + "bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMin.overlay.info" to "A Pontuação de Reputação do vendedor de {0} não oferece segurança suficiente para essa oferta.\n\nRecomenda-se negociar valores menores com negociações repetidas ou com vendedores que tenham uma reputação mais alta. Se você decidir prosseguir apesar da falta de reputação do vendedor, certifique-se de estar totalmente ciente dos riscos associados. O modelo de segurança do Bisq Easy depende da reputação do vendedor, já que o comprador é obrigado a Enviar a moeda fiduciária primeiro.", + "bisqEasy.offerbook.marketListCell.favourites.maxReached.popup" to "Há espaço apenas para 5 favoritos. Remova um favorito e tente novamente.", + "bisqEasy.dashboard" to "Primeiros passos", + "bisqEasy.tradeWizard.amount.seller.limitInfo.noReputationNeededForMaxOrFixedAmount.overlay.info.scoreTooLow" to "Para valores de até {0}, os requisitos de reputação são relaxados.\n\nSua Pontuação de Reputação de {1} não oferece segurança suficiente para os compradores. No entanto, dado o valor baixo envolvido, os compradores ainda podem considerar aceitar a oferta uma vez que estejam cientes dos riscos associados.\n\nVocê pode encontrar informações sobre como aumentar sua reputação em ''Reputação/Construir Reputação''.", + "bisqEasy.price.feedback.sentence.veryGood" to "muito boas", + "bisqEasy.walletGuide.createWallet" to "Nova carteira", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.description" to "Estado da conexão da webcam", + "bisqEasy.tradeWizard.review.sellerPaysMinerFeeLong" to "O vendedor paga a taxa de mineração", + "bisqEasy.tradeState.info.buyer.phase2b.headline" to "Aguardar o vendedor confirmar o recebimento do pagamento", + "bisqEasy.tradeWizard.paymentMethods.bitcoin.subTitle.seller" to "Escolha os métodos de liquidação para enviar Bitcoin", + "bisqEasy.tradeState.info.seller.phase3a.bitcoinPayment.description.LN" to "Fatura Lightning", + "bisqEasy.tradeCompleted.body.copy.explorerLink.tooltip" to "Copiar link da transação do explorador de blocos", + "bisqEasy.tradeWizard.amount.headline.seller" to "Quanto você deseja receber?", + "bisqEasy.openTrades.table.direction.buyer" to "Comprando de:", + "bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.inSufficientScore" to "Com uma Pontuação de Reputação de {0}, a segurança que você fornece é insuficiente para negociações acima de {1}.\n\nVocê ainda pode criar tais ofertas, mas os compradores serão avisados sobre os riscos potenciais ao tentar aceitar sua oferta.\n\nVocê pode encontrar informações sobre como aumentar sua reputação em ''Reputação/Construir Reputação''.", + "bisqEasy.tradeWizard.paymentMethods.customMethod.prompt" to "Pagamento personalizado", + "bisqEasy.tradeState.info.phase4.leaveChannel" to "Fechar negociação", + "bisqEasy.tradeWizard.directionAndMarket.headline" to "Você deseja comprar ou vender Bitcoin com", + "bisqEasy.tradeWizard.review.chatMessage.price" to "Preço:", + "bisqEasy.tradeWizard.paymentMethods.bitcoin.subTitle.buyer" to "Escolha os métodos de liquidação para receber Bitcoin", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.headline.LN" to "Preencha sua fatura Lightning", + "bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage" to "{0} iniciou o pagamento em Bitcoin. {1}: ''{2}''", + "bisqEasy.openTrades.table.baseAmount" to "Quantia em BTC", + "bisqEasy.openTrades.tradeLogMessage.cancelled" to "{0} cancelou a negociação", + "bisqEasy.openTrades.inMediation.info" to "Um mediador se juntou ao chat de negociação. Por favor, use o chat de negociação abaixo para obter assistência do mediador.", + "bisqEasy.onboarding.right.button" to "Abrir livro de ofertas", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.imageRecognized" to "Webcam conectada", + "bisqEasy.tradeState.info.buyer.phase2a.sellersAccount" to "Conta de pagamento do vendedor", + "bisqEasy.tradeWizard.amount.numOffers.0" to "não há oferta", + "bisqEasy.offerbook.markets.ExpandedList.Tooltip" to "Reduzir Mercados", + "bisqEasy.openTrades.cancelTrade.warning.seller" to "Como a troca de detalhes de conta já começou, cancelar a negociação sem o consentimento do comprador {0}", + "bisqEasy.tradeCompleted.body.tradePrice" to "Preço de negociação", + "bisqEasy.tradeWizard.amount.numOffers.*" to "são {0} ofertas", + "bisqEasy.tradeWizard.review.chatMessage.peerMessageTitle.buy" to "Comprar Bitcoin de", + "bisqEasy.walletGuide.intro.content" to "No Bisq Easy, o Bitcoin que você recebe vai direto para o seu bolso sem intermediários. Isso é uma grande vantagem, mas também significa que você precisa ter uma carteira que você mesmo controle para recebê-lo!\n\nNeste guia rápido de carteira, mostraremos em alguns passos simples como você pode criar uma carteira simples. Com ela, você poderá receber e armazenar seu bitcoin recém-comprado.\n\nSe você já está familiarizado com carteiras on-chain e tem uma, pode pular este guia e simplesmente usar sua carteira.", + "bisqEasy.openTrades.rejected.peer" to "Seu par de negociação rejeitou a negociação", + "bisqEasy.offerbook.offerList.table.columns.settlementMethod" to "Método de liquidação", + "bisqEasy.topPane.closeFilter" to "Fechar filtro", + "bisqEasy.tradeWizard.amount.numOffers.1" to "é uma oferta", + "bisqEasy.component.amount.baseSide.tooltip.btcAmount.selectedPrice" to "Este é o valor em Bitcoin com base no preço selecionado.", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.subHeadline" to "Não há ofertas disponíveis para os seus critérios de seleção.", + "bisqEasy.openTrades.chat.detach" to "Desanexar", + "bisqEasy.offerbook.offerList.table.columns.price.tooltip.marketPrice" to "Preço de mercado: {0}", + "bisqEasy.openTrades.table.tradeId" to "ID da Negociação", + "bisqEasy.tradeWizard.market.columns.name" to "Moeda fiduciária", + "bisqEasy.offerbook.offerList.table.filters.offerDirection.sellTo" to "Vender para", + "bisqEasy.tradeWizard.directionAndMarket.feedback.tradeWithoutReputation" to "Continue sem Reputação", + "bisqEasy.tradeWizard.paymentMethods.noneFound" to "Para o mercado selecionado, não há métodos de pagamento padrão fornecidos.\nPor favor, adicione no campo de texto abaixo o método de pagamento personalizado que deseja usar.", + "bisqEasy.tradeWizard.amount.seller.wizard.limitInfo" to "Com sua Pontuação de Reputação de {0}, você pode negociar até", + "bisqEasy.price.feedback.sentence.veryLow" to "muito baixas", + "bisqEasy.tradeWizard.review.noTradeFeesLong" to "Não há taxas de negociação no Bisq Easy", + "bisqEasy.tradeGuide.process.headline" to "Como funciona o processo de negociação?", + "bisqEasy.mediator" to "Mediador", + "bisqEasy.price.headline" to "Qual é o seu preço de negociação?", + "bisqEasy.tradeWizard.paymentMethods.warn.noFiatPaymentMethodSelected" to "Por favor, escolha pelo menos um método de pagamento fiat.", + "bisqEasy.tradeWizard.paymentMethods.fiat.subTitle.seller" to "Escolha os métodos de pagamento para receber {0}", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.description.buyersPrice" to "Seu preço de oferta para comprar Bitcoin foi {0}.", + "bisqEasy.tradeState.info.buyer.phase2a.confirmFiatSent" to "Confirmar pagamento de {0}", + "bisqEasy.component.amount.minRangeValue" to "Mín {0}", + "bisqEasy.offerbook.chatMessage.deleteMessage.confirmation" to "Tem certeza de que deseja excluir esta mensagem?", + "bisqEasy.tradeCompleted.body.copy.txId.tooltip" to "Copiar ID de Transação para a área de transferência", + "bisqEasy.tradeWizard.amount.headline.buyer" to "Quanto você deseja gastar?", + "bisqEasy.openTrades.closeTrade" to "Fechar negociação", + "bisqEasy.openTrades.table.settlementMethod.tooltip" to "Método de liquidação em Bitcoin: {0}", + "bisqEasy.openTrades.csv.quoteAmount" to "Quantidade em {0}", + "bisqEasy.tradeWizard.review.createOfferSuccess.headline" to "Oferta publicada com sucesso", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.all" to "Todos", + "bisqEasy.tradeState.info.buyer.phase1a.tradeLogMessage.MAIN_CHAIN" to "{0} enviou o endereço Bitcoin ''{1}''", + "bisqEasy.tradeWizard.directionAndMarket.feedback.subTitle1" to "Você ainda não estabeleceu nenhuma Reputação. Para vendedores de Bitcoin, construir Reputação é crucial, pois os compradores são obrigados a Enviar moeda fiduciária primeiro no processo de negociação, confiando na integridade do vendedor.\n\nEsse processo de construção de Reputação é mais adequado para usuários experientes do Bisq, e você pode encontrar informações detalhadas sobre isso na seção 'Reputação'.", + "bisqEasy.tradeWizard.directionAndMarket.feedback.subTitle2" to "Embora seja possível para os vendedores negociarem sem (ou com reputação insuficiente) para quantias relativamente baixas de até {0}, a probabilidade de encontrar um parceiro de negociação é consideravelmente reduzida. Isso ocorre porque os compradores tendem a evitar se envolver com vendedores que não têm Reputação devido a riscos de segurança.", + "bisqEasy.tradeWizard.review.detailsHeadline.maker" to "Detalhes da oferta", + "bisqEasy.walletGuide.download.headline" to "Baixando sua carteira", + "bisqEasy.tradeWizard.selectOffer.headline.seller" to "Vender Bitcoin por {0}", + "bisqEasy.offerbook.marketListCell.numOffers.one" to "{0} oferta", + "bisqEasy.tradeWizard.amount.seller.wizard.limitInfo.overlay.info" to "Com uma Pontuação de Reputação de {0}, você pode negociar até {1}.\n\nVocê pode encontrar informações sobre como aumentar sua reputação em ''Reputação/Construir Reputação''.", + "bisqEasy.tradeState.info.seller.phase3b.balance.prompt" to "Aguardando dados da blockchain...", + "bisqEasy.takeOffer.amount.buyer.limitInfo.minAmountCovered" to "A Pontuação de Reputação do vendedor de {0} oferece segurança até", + "bisqEasy.tradeGuide.welcome" to "Visão Geral", + "bisqEasy.offerbook.markets.CollapsedList.Tooltip" to "Expandir Mercados", + "bisqEasy.tradeGuide.welcome.headline" to "Como negociar no Bisq Easy", + "bisqEasy.takeOffer.amount.description" to "A oferta permite que você escolha uma quantidade de negociação\nentre {0} e {1}", + "bisqEasy.onboarding.right.headline" to "Para negociadores experientes", + "bisqEasy.tradeState.info.buyer.phase3b.confirmButton.ln" to "Confirmar recebimento", + "bisqEasy.walletGuide.download" to "Baixar", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.description.sellersPrice" to "Entretanto, o vendedor está lhe oferecendo um preço diferente: {0}.", + "bisqEasy.offerbook.offerList.table.filters.paymentMethods.customPayments" to "Pagamentos personalizados", + "bisqEasy.offerbook.offerList.table.columns.paymentMethod" to "Método de pagamento", + "bisqEasy.takeOffer.progress.method" to "Método de pagamento", + "bisqEasy.tradeWizard.review.direction" to "{0} Bitcoin", + "bisqEasy.offerDetails.paymentMethods" to "Método(s) de pagamento suportados", + "bisqEasy.openTrades.closeTrade.warning.interrupted" to "Antes de fechar a negociação, você pode fazer backup dos dados da negociação como arquivo csv, se necessário.\n\nUma vez que a negociação é fechada, todos os dados relacionados à negociação são excluídos, e você não pode mais se comunicar com o par de negociação no chat de negociação.\n\nVocê quer fechar a negociação agora?", + "bisqEasy.tradeState.reportToMediator" to "Relatar ao mediador", + "bisqEasy.openTrades.table.price" to "Preço", + "bisqEasy.openTrades.chat.window.title" to "{0} - Chat com {1} / ID da Negociação: {2}", + "bisqEasy.tradeCompleted.header.paymentMethod" to "Método de pagamento", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.nameZA" to "Nome Z-A", + "bisqEasy.tradeWizard.progress.review" to "Revisão", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.noReputationNeededForMaxOrFixedAmount" to "Vendedores sem Reputação podem aceitar ofertas de até {0}.", + "bisqEasy.tradeWizard.review.createOfferSuccess.subTitle" to "Sua oferta agora está listada no livro de ofertas. Quando um usuário do Bisq aceitar sua oferta, você encontrará uma nova negociação na seção 'Negociações Abertas'.\n\nCertifique-se de verificar regularmente o aplicativo Bisq para novas mensagens de um comprador.", + "bisqEasy.openTrades.failed.popup" to "O comércio falhou devido a um erro.\nMensagem de erro: {0}\n\nRastreamento de pilha: {1}", + "bisqEasy.tradeWizard.paymentMethods.fiat.subTitle.buyer" to "Escolha os métodos de pagamento para transferir {0}", + "bisqEasy.tradeWizard.market.subTitle" to "Escolha a sua moeda de negociação", + "bisqEasy.tradeWizard.review.sellerPaysMinerFee" to "Vendedor paga a taxa de mineração", + "bisqEasy.openTrades.chat.peerLeft.subHeadline" to "Se o comércio não estiver concluído do seu lado e você precisar de assistência, entre em contato com o mediador ou visite o chat de suporte.", + "bisqEasy.tradeState.info.seller.phase3a.qrCodeDisplay.openWindow" to "Abrir exibição maior", + "bisqEasy.offerDetails.price" to "Preço da oferta em {0}", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.withOffers" to "Com ofertas", + "bisqEasy.onboarding.left.button" to "Iniciar assistente de negociação", + "bisqEasy.takeOffer.review.takeOffer" to "Confirmar oferta", + "bisqEasy.tradeWizard.amount.limitInfo.overlay.close" to "Fechar sobreposição", + "bisqEasy.tradeCompleted.title" to "Negociação concluída com sucesso", + "bisqEasy.tradeState.info.buyer.phase3b.headline.MAIN_CHAIN" to "O vendedor iniciou o pagamento em Bitcoin", + "bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.sufficientScore" to "Com uma Pontuação de Reputação de {0}, você oferece segurança para negociações de até {1}.", + "bisqEasy.tradeGuide.rules" to "Regras de Negociação", + "bisqEasy.tradeState.info.phase3b.txId.tooltip" to "Abrir transação no explorador de blocos", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.prompt.LN" to "Preencha sua fatura Lightning", + "bisqEasy.openTrades.cancelTrade.warning.part2" to "o consentimento pode ser considerado uma violação das regras de negociação e pode resultar em seu perfil sendo banido da rede.\n\nSe o parceiro de negociação estiver inativo por mais de 24 horas e nenhum pagamento tiver sido feito, você pode rejeitar a negociação sem consequências. A responsabilidade ficará com a parte não responsiva.\n\nSe você tiver alguma dúvida ou encontrar problemas, por favor, não hesite em contatar seu parceiro de negociação ou buscar assistência na 'Seção de Suporte'.\n\nSe você acredita que seu parceiro de negociação violou as regras de negociação, você tem a opção de iniciar um pedido de mediação. Um mediador se juntará ao chat da negociação e trabalhará para encontrar uma solução cooperativa.\n\nVocê tem certeza de que deseja cancelar a negociação?", + "bisqEasy.tradeState.header.pay" to "Quantia a pagar", + "bisqEasy.tradeState.header.direction" to "Eu quero", + "bisqEasy.tradeState.info.buyer.phase1b.info" to "Você pode usar o chat abaixo para entrar em contato com o vendedor.", + "bisqEasy.openTrades.welcome.line1" to "Saiba sobre o modelo de segurança do Bisq Easy", + "bisqEasy.tradeState.info.buyer.phase3b.tradeLogMessage.ln" to "{0} confirmou ter recebido o pagamento em Bitcoin", + "bisqEasy.tradeWizard.amount.description.minAmount" to "Defina o valor mínimo para a faixa de quantidade", + "bisqEasy.onboarding.openTradeGuide" to "Leia o guia de negociação", + "bisqEasy.openTrades.welcome.line2" to "Veja como funciona o processo de negociação", + "bisqEasy.price.warn.invalidPrice.outOfRange" to "O preço inserido está fora da faixa permitida de -10% a 50%.", + "bisqEasy.openTrades.welcome.line3" to "Familiarize-se com as regras de negociação", + "bisqEasy.tradeState.bitcoinPaymentData.LN" to "Fatura Lightning", + "bisqEasy.tradeState.info.seller.phase1.note" to "Nota: Você pode usar o chat abaixo para entrar em contato com o comprador antes de revelar seus dados da conta.", + "bisqEasy.tradeWizard.directionAndMarket.buy" to "Comprar Bitcoin", + "bisqEasy.openTrades.confirmCloseTrade" to "Confirmar fechamento do comércio", + "bisqEasy.tradeWizard.amount.removeMinAmountOption" to "Usar valor fixo para quantidade", + "bisqEasy.offerDetails.id" to "ID da oferta", + "bisqEasy.tradeWizard.progress.price" to "Preço", + "bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo.overlay.info" to "Dada a baixa quantia da negociação de {0}, os requisitos de Reputação são relaxados.\nPara quantias de até {1}, vendedores com Reputação insuficiente ou nenhuma podem aceitar sua oferta.\n\nVendedores que desejam aceitar sua oferta com a quantia máxima de {2} devem ter uma Pontuação de Reputação de pelo menos {3}.\nAo reduzir a quantia máxima da negociação, você torna sua oferta acessível a mais vendedores.", + "bisqEasy.tradeState.info.buyer.phase1a.send" to "Enviar ao vendedor", + "bisqEasy.takeOffer.review.noTradeFeesLong" to "Não há taxas de negociação no Bisq Easy", + "bisqEasy.onboarding.watchVideo" to "Assistir vídeo", + "bisqEasy.walletGuide.receive.content" to "Para receber seu Bitcoin, você precisa de um endereço da sua carteira. Para obtê-lo, clique na sua carteira recém-criada e, em seguida, clique no botão 'Receber' na parte inferior da tela.\n\nA Bluewallet exibirá um endereço não utilizado, tanto como um código QR quanto como texto. Este endereço é o que você precisará fornecer ao seu par no Bisq Easy para que ele possa enviar o Bitcoin que você está comprando. Você pode mover o endereço para o seu PC digitalizando o código QR com uma câmera, enviando o endereço com um e-mail ou mensagem de chat, ou mesmo digitando-o.\n\nUma vez que você concluir a negociação, a Bluewallet notará o Bitcoin entrante e atualizará seu saldo com os novos fundos. Toda vez que você fizer uma nova negociação, obtenha um novo endereço para proteger sua privacidade.\n\nEstes são os fundamentos que você precisa saber para começar a receber Bitcoin em sua própria carteira. Se você quiser aprender mais sobre a Bluewallet, recomendamos conferir os vídeos listados abaixo.", + "bisqEasy.takeOffer.progress.review" to "Revisar negociação", + "bisqEasy.tradeCompleted.header.myDirection.buyer" to "Eu comprei", + "bisqEasy.tradeState.info.seller.phase3a.qrCodeDisplay.window.title" to "Escanear código QR para a negociação ''{0}''", + "bisqEasy.tradeWizard.amount.seller.limitInfo.scoreTooLow" to "Com sua Pontuação de Reputação de {0}, o valor da sua negociação não deve exceder", + "bisqEasy.openTrades.table.paymentMethod.tooltip" to "Método de pagamento Fiat: {0}", + "bisqEasy.tradeCompleted.header.myOutcome.buyer" to "Eu paguei", + "bisqEasy.openTrades.chat.peer.description" to "Par do chat", + "bisqEasy.takeOffer.progress.amount" to "Quantidade de negociação", + "bisqEasy.price.warn.invalidPrice.numberFormatException" to "O preço inserido não é um número válido.", + "bisqEasy.mediation.request.confirm.msg" to "Se você tem problemas que não pode resolver com seu parceiro de negociação, você pode solicitar assistência de um mediador.\n\nPor favor, não solicite mediação para perguntas gerais. Na seção de suporte, há salas de chat onde você pode obter conselhos gerais e ajuda.", + "bisqEasy.tradeGuide.rules.headline" to "O que eu preciso saber sobre as regras de negociação?", + "bisqEasy.tradeState.info.buyer.phase3b.balance.prompt" to "Aguardando dados da blockchain...", + "bisqEasy.offerbook.markets" to "Mercados", + "bisqEasy.privateChats.leave" to "Sair do chat", + "bisqEasy.tradeWizard.review.priceDetails" to "Flutua com o preço de mercado", + "bisqEasy.openTrades.table.headline" to "Minhas negociações abertas", + "bisqEasy.takeOffer.review.method.bitcoin" to "Método de pagamento em Bitcoin", + "bisqEasy.tradeWizard.amount.description.fixAmount" to "Defina a quantidade que deseja negociar", + "bisqEasy.offerDetails.buy" to "Oferta para comprar Bitcoin", + "bisqEasy.openTrades.chat.detach.tooltip" to "Abrir chat em nova janela", + "bisqEasy.tradeState.info.buyer.phase3a.headline" to "Aguardar o pagamento em Bitcoin do vendedor", + "bisqEasy.openTrades" to "Minhas negociações abertas", + "bisqEasy.tradeState.info.buyer.phase3b.info.MAIN_CHAIN" to "Assim que a transação Bitcoin for visível na rede Bitcoin, você verá o pagamento. Após 1 confirmação na blockchain, o pagamento pode ser considerado concluído.", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.browseOfferbook.info" to "Feche o assistente de negociação e navegue pelo livro de ofertas", + "bisqEasy.tradeGuide.rules.confirm" to "Eu li e entendi", + "bisqEasy.walletGuide.intro" to "Introdução", + "bisqEasy.tradeState.info.phase3b.balance.help.notConfirmed" to "Transação vista no mempool mas ainda não confirmada", + "bisqEasy.mediation.request.feedback.noMediatorAvailable" to "Não há mediador disponível. Por favor, use o chat de suporte em vez disso.", + "bisqEasy.price.feedback.learnWhySection.description.intro" to "A razão para isso é que o vendedor precisa cobrir despesas extras e compensar pelo serviço prestado, especificamente:", + "bisqEasy.offerbook.marketListCell.favourites.tooltip.addToFavourites" to "Adicionar aos favoritos", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.tooltip" to "Ordenar e filtrar mercados", + "bisqEasy.openTrades.rejectTrade" to "Rejeitar negociação", + "bisqEasy.openTrades.table.direction.seller" to "Vendendo para:", + "bisqEasy.offerDetails.sell" to "Oferta para vender Bitcoin", + "bisqEasy.tradeWizard.amount.seller.limitInfo.sufficientScore" to "Sua Pontuação de Reputação de {0} oferece segurança para ofertas de até", + "bisqEasy.tradeState.info.phase3b.balance.invalid.multipleOutputsForAddress" to "Múltiplas saídas correspondentes encontradas na transação", + "bisqEasy.onboarding.top.headline" to "Bisq Easy em 3 minutos", + "bisqEasy.tradeWizard.amount.buyer.numSellers.1" to "há um vendedor", + "bisqEasy.tradeGuide.tabs.headline" to "Guia de Negociação", + "bisqEasy.tradeWizard.amount.seller.limitInfo.inSufficientScore" to "A segurança fornecida pela sua Pontuação de Reputação de {0} é insuficiente para ofertas acima de", + "bisqEasy.openTrades.exportTrade" to "Exportar dados da negociação", + "bisqEasy.tradeWizard.review.table.reputation" to "Reputação", + "bisqEasy.tradeWizard.amount.buyer.numSellers.0" to "não há nenhum vendedor", + "bisqEasy.tradeWizard.progress.directionAndMarket" to "Tipo de oferta", + "bisqEasy.offerDetails.direction" to "Tipo de oferta", + "bisqEasy.tradeWizard.amount.buyer.numSellers.*" to "há {0} vendedores", + "bisqEasy.offerDetails.date" to "Data de criação", + "bisqEasy.offerbook.offerList.table.filters.paymentMethods.title.all" to "Todos", + "bisqEasy.takeOffer.noMediatorAvailable.warning" to "Não há mediador disponível. Você deve usar o chat de suporte em vez disso.", + "bisqEasy.offerbook.offerList.table.columns.price" to "Preço", + "bisqEasy.offerbook.offerList.table.filters.offerDirection.buyFrom" to "Comprar de", + "bisqEasy.component.amount.baseSide.tooltip.buyer.btcAmount" to "Este é o valor em Bitcoin a receber", + "bisqEasy.takeOffer.bitcoinPaymentData.warning.LN" to "A fatura Lightning que você inseriu parece ser inválida.\n\nSe você tiver certeza de que a fatura é válida, pode ignorar este aviso e prosseguir.", + "bisqEasy.tradeWizard.review.takeOfferSuccessButton" to "Mostrar negociação em 'Negociações Abertas'", + "bisqEasy.tradeGuide.process.steps" to "1. O vendedor e o comprador trocam os detalhes da conta. O vendedor envia seus dados de pagamento (por exemplo, número da conta bancária) para o comprador e o comprador envia seu endereço de Bitcoin (ou fatura Lightning) para o vendedor.\n2. Em seguida, o comprador inicia o pagamento Fiat para a conta do vendedor. Após receber o pagamento, o vendedor confirmará o recebimento.\n3. O vendedor então envia o Bitcoin para o endereço do comprador e compartilha o ID da transação (ou opcionalmente o pré-imagem no caso de ser usado Lightning). A interface do usuário exibirá o estado de confirmação. Uma vez confirmado, o comércio é concluído com sucesso.", + "bisqEasy.openTrades.rejectTrade.warning" to "Como a troca de detalhes de conta ainda não começou, rejeitar a negociação não constitui uma violação das regras de negociação.\n\nSe você tiver alguma dúvida ou encontrar problemas, por favor, não hesite em contatar seu par de negociação ou buscar assistência na 'Seção de Suporte'.\n\nVocê tem certeza de que deseja rejeitar a negociação?", + "bisqEasy.tradeWizard.price.subtitle" to "Isso pode ser definido como um preço percentual que flutua com o preço de mercado ou preço fixo.", + "bisqEasy.openTrades.tradeLogMessage.rejected" to "{0} rejeitou a negociação", + "bisqEasy.tradeState.header.tradeId" to "ID de Negociação", + "bisqEasy.topPane.filter" to "Filtrar livro de ofertas", + "bisqEasy.tradeWizard.review.priceDetails.fix" to "Preço fixo. {0} {1} preço de mercado de {2}", + "bisqEasy.tradeWizard.amount.description.maxAmount" to "Defina o valor máximo para a faixa de quantidade", + "bisqEasy.tradeState.info.buyer.phase2b.info" to "Uma vez que o vendedor receber o seu pagamento de {0}, ele iniciará o pagamento em Bitcoin para o seu {1} fornecido.", + "bisqEasy.tradeState.info.seller.phase3a.sendBtc" to "Enviar {0} para o comprador", + "bisqEasy.onboarding.left.headline" to "Melhor para iniciantes", + "bisqEasy.takeOffer.paymentMethods.headline.bitcoin" to "Qual método de liquidação você deseja usar?", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.mostOffers" to "Mais ofertas", + "bisqEasy.tradeState.header.send" to "Quantia a enviar", + "bisqEasy.tradeWizard.review.noTradeFees" to "Sem taxas de negociação no Bisq Easy", + "bisqEasy.tradeWizard.directionAndMarket.sell" to "Vender Bitcoin", + "bisqEasy.tradeState.info.phase3b.balance.help.confirmed" to "Transação confirmada", + "bisqEasy.tradeWizard.directionAndMarket.feedback.backToBuy" to "Voltar", + "bisqEasy.tradeWizard.review.price" to "{0} <{1} style=trade-wizard-review-code>", + "bisqEasy.openTrades.table.makerTakerRole.maker" to "Criador", + "bisqEasy.tradeWizard.review.priceDetails.fix.atMarket" to "Preço fixo. Mesmo que o preço de mercado de {0}", + "bisqEasy.tradeCompleted.tableTitle" to "Resumo", + "bisqEasy.tradeWizard.market.headline.seller" to "Em qual moeda você deseja receber o pagamento?", + "bisqEasy.tradeCompleted.body.date" to "Data", + "bisqEasy.tradeWizard.review.paymentMethodDescriptions.btc.taker" to "Selecionar método de pagamento Bitcoin", + "bisqEasy.tradeState.info.seller.phase3b.confirmButton.ln" to "Concluir trade", + "bisqEasy.tradeState.info.seller.phase2b.headline" to "Verifique se você recebeu {0}", + "bisqEasy.price.feedback.learnWhySection.description.exposition" to "- Construir reputação pode ser custoso.- O vendedor precisa pagar taxas de mineradores.- O vendedor é o guia útil no processo de negociação, investindo assim mais tempo.", + "bisqEasy.takeOffer.amount.buyer.limitInfoAmount" to "{0}.", + "bisqEasy.tradeState.info.buyer.phase2a.headline" to "Enviar {0} para a conta de pagamento do vendedor", + "bisqEasy.price.feedback.learnWhySection.title" to "Por que eu devo pagar um preço mais alto para o vendedor?", + "bisqEasy.offerbook.offerList.table.columns.price.tooltip.floatPrice" to "Preço percentual {0}\nCom o preço de mercado atual: {1}", + "bisqEasy.takeOffer.review.price.price" to "Preço de negociação", + "bisqEasy.tradeState.paymentProof.LN" to "Pré-imagem", + "bisqEasy.openTrades.table.settlementMethod" to "Liquidação", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.description.question" to "Você deseja aceitar este novo preço ou deseja rejeitar/cancelar* a negociação?", + "bisqEasy.takeOffer.tradeLogMessage" to "{0} enviou uma mensagem para aceitar a oferta de {1}", + "bisqEasy.openTrades.cancelled.self" to "Você cancelou a negociação", + "bisqEasy.component.amount.baseSide.tooltip.btcAmount.marketPrice" to "Este é o valor em Bitcoin com base no preço de mercado atual.", + "bisqEasy.tradeGuide.security" to "Segurança", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.description.disclaimer" to "(*Observe que neste caso específico, cancelar a negociação NÃO será considerado uma violação das regras de negociação.)", + "bisqEasy.tradeState.info.buyer.phase3b.headline.ln" to "O vendedor enviou o Bitcoin via rede Lightning", + "bisqEasy.mediation.request.feedback.headline" to "Mediação solicitada", + "bisqEasy.tradeState.requestMediation" to "Solicitar mediação", + "bisqEasy.price.warn.invalidPrice.exception" to "O preço inserido é inválido.\n\nMensagem de erro: {0}", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.goBack.info" to "Volte às telas anteriores e altere a seleção", + "bisqEasy.offerbook.marketListCell.numOffers.tooltip.one" to "{0} oferta está disponível no mercado {1}", + "bisqEasy.tradeGuide.process.content" to "Quando você decide aceitar uma oferta, terá a flexibilidade de escolher entre as opções disponíveis fornecidas pela oferta. Antes de iniciar a negociação, você receberá um resumo para revisão.\nAssim que a negociação for iniciada, a interface do usuário irá guiá-lo através do processo de negociação, que consiste nos seguintes passos:", + "bisqEasy.openTrades.csv.txIdOrPreimage" to "ID da transação/Pré-imagem", + "bisqEasy.tradeState.info.buyer.phase1a.walletHelpButton" to "Abrir guia da carteira", + "bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo" to "Para o valor máximo de {0}, não há {1} com reputação suficiente para aceitar sua oferta.", + "bisqEasy.tradeWizard.review.chatMessage.floatPrice.above" to "{0} acima do preço de mercado", + "bisqEasy.tradeWizard.selectOffer.headline.buyer" to "Comprar Bitcoin por {0}", + "bisqEasy.tradeWizard.review.chatMessage.fixPrice" to "{0}", + "bisqEasy.tradeState.info.phase3b.button.next" to "Próximo", + "bisqEasy.tradeWizard.review.toReceive" to "Quantia a receber", + "bisqEasy.tradeState.info.seller.phase1.tradeLogMessage" to "{0} enviou os dados da conta de pagamento:\n{1}", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.noReputationNeededForMaxOrFixedAmount.info" to "Dada a baixa quantia de {0}, os requisitos de Reputação são relaxados.\nPara quantias de até {1}, vendedores com Reputação insuficiente ou nenhuma podem aceitar a oferta.\n\nCertifique-se de entender completamente os riscos ao negociar com um vendedor sem Reputação ou com Reputação insuficiente. Se você não quiser estar exposto a esse risco, escolha uma quantia acima de {2}.", + "bisqEasy.tradeCompleted.body.tradeFee" to "Taxa de negociação", + "bisqEasy.tradeWizard.review.nextButton.takeOffer" to "Confirmar negociação", + "bisqEasy.openTrades.chat.peerLeft.headline" to "{0} saiu do comércio", + "bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.headline" to "Enviando mensagem de aceitação de oferta", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.headline.MAIN_CHAIN" to "Insira seu endereço Bitcoin", + "bisqEasy.offerbook.marketListCell.numOffers.tooltip.many" to "{0} ofertas estão disponíveis no mercado {1}", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.prompt.LN" to "Preencha a preimagem, se disponível", + "bisqEasy.mediation.requester.tradeLogMessage" to "{0} solicitou mediação", + "bisqEasy.tradeWizard.review.table.baseAmount.buyer" to "Você recebe", + "bisqEasy.tradeWizard.review.table.price" to "Preço em {0}", + "bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.paymentProof.MAIN_CHAIN" to "ID da transação", + "bisqEasy.component.amount.baseSide.tooltip.bestOfferPrice" to "Este é o valor em Bitcoin com o melhor preço\ndas ofertas correspondentes: {0}", + "bisqEasy.tradeWizard.review.headline.maker" to "Revisar oferta", + "bisqEasy.openTrades.reportToMediator" to "Reportar ao mediador", + "bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.info" to "Não feche a janela ou o aplicativo até ver a confirmação de que a solicitação de aceitação de oferta foi enviada com sucesso.", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.sortTitle" to "Ordenar por:", + "bisqEasy.tradeWizard.review.priceDescription.taker" to "Preço de negociação", + "bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.subTitle" to "Enviar a mensagem de aceitação de oferta pode levar até 2 minutos", + "bisqEasy.walletGuide.receive.headline" to "Recebendo bitcoin em sua carteira", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.headline" to "Nenhuma oferta correspondente encontrada", + "bisqEasy.walletGuide.tabs.headline" to "Guia da Carteira", + "bisqEasy.offerbook.offerList.table.columns.fiatAmount" to "{0} quantidade", + "bisqEasy.takeOffer.makerBanned.warning" to "O criador desta oferta está banido. Por favor, tente usar uma oferta diferente.", + "bisqEasy.price.feedback.learnWhySection.closeButton" to "Voltar para Preço de Negociação", + "bisqEasy.tradeWizard.review.feeDescription" to "Taxas", + "bisqEasy.takeOffer.amount.buyer.limitInfo.minAmountCovered.overlay.info" to "A Pontuação de Reputação do vendedor de {0} oferece segurança para até {1}.\n\nSe você escolher um valor maior, certifique-se de estar totalmente ciente dos riscos associados. O modelo de segurança do Bisq Easy depende da reputação do vendedor, pois o comprador é obrigado a Enviar a moeda fiduciária primeiro.", + "bisqEasy.tradeWizard.review.paymentMethodDescriptions.btc.maker" to "Métodos de pagamento Bitcoin", + "bisqEasy.tradeWizard.review.headline.taker" to "Revisar negociação", + "bisqEasy.takeOffer.review.takeOfferSuccess.headline" to "Você aceitou a oferta com sucesso", + "bisqEasy.openTrades.failedAtPeer.popup" to "O comércio do par falhou devido a um erro.\nErro causado por: {0}\n\nRastreamento de pilha: {1}", + "bisqEasy.tradeCompleted.header.myDirection.seller" to "Eu vendi", + "bisqEasy.tradeState.info.buyer.phase1b.headline" to "Aguarde os dados da conta de pagamento do vendedor", + "bisqEasy.price.feedback.sentence.some" to "algumas", + "bisqEasy.component.amount.baseSide.tooltip.seller.btcAmount" to "Este é o valor em Bitcoin a pagar", + "bisqEasy.offerDetails.headline" to "Detalhes da oferta", + "bisqEasy.openTrades.cancelTrade" to "Cancelar negociação", + "bisqEasy.tradeState.info.phase3b.button.next.noOutputForAddress" to "Nenhuma saída correspondente ao endereço ''{0}'' na transação ''{1}'' foi encontrada.\n\nVocê conseguiu resolver esse problema com seu parceiro de negociação?\nCaso contrário, você pode considerar solicitar mediação para ajudar a resolver a questão.", + "bisqEasy.price.tradePrice.title" to "Preço fixo", + "bisqEasy.openTrades.table.mediator" to "Mediador", + "bisqEasy.offerDetails.makersTradeTerms" to "Termos de negociação do criador", + "bisqEasy.openTrades.chat.attach.tooltip" to "Restaurar chat para a janela principal", + "bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMax" to "A Pontuação de Reputação do vendedor é apenas {0}. Não é recomendável negociar mais do que", + "bisqEasy.privateChats.table.myUser" to "Meu perfil", + "bisqEasy.tradeState.info.phase4.exportTrade" to "Exportar dados da negociação", + "bisqEasy.takeOffer.amount.buyer.limitInfo.minAmountNotCovered" to "A Pontuação de Reputação do vendedor de {0} não fornece segurança suficiente para essa oferta.", + "bisqEasy.tradeWizard.selectOffer.subHeadline" to "É recomendado negociar com usuários de alta reputação.", + "bisqEasy.topPane.filter.offersOnly" to "Mostrar apenas ofertas no livro de ofertas do Bisq Easy", + "bisqEasy.tradeWizard.review.nextButton.createOffer" to "Criar oferta", + "bisqEasy.offerbook.offerList.table.filters.paymentMethods.clearFilters" to "Limpar filtros", + "bisqEasy.openTrades.noTrades" to "Você não tem nenhuma negociação aberta", + "bisqEasy.tradeState.info.seller.phase2b.info" to "Visite sua conta bancária ou aplicativo de provedor de pagamento para confirmar o recebimento do pagamento do comprador.", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.prompt.MAIN_CHAIN" to "Insira seu endereço Bitcoin", + "bisqEasy.tradeWizard.amount.seller.limitInfoAmount" to "{0}.", + "bisqEasy.openTrades.welcome.headline" to "Bem-vindo à sua primeira negociação no Bisq Easy!", + "bisqEasy.takeOffer.amount.description.limitedByTakersReputation" to "Sua Pontuação de Reputação de {0} permite que você escolha um valor de negociação\nentre {1} e {2}", + "bisqEasy.tradeState.info.seller.phase1.buttonText" to "Enviar dados da conta", + "bisqEasy.tradeState.info.phase3b.txId.failed" to "A busca pela transação em ''{0}'' falhou com {1}: ''{2}''", + "bisqEasy.component.amount.baseSide.tooltip.taker.offerPrice" to "com o preço da oferta: {0}", + "bisqEasy.takeOffer.review.takeOfferSuccessButton" to "Mostrar negociação em 'Negociações Abertas'", + "bisqEasy.walletGuide.createWallet.headline" to "Criando sua nova carteira", + "bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.noProofProvided" to "{0} iniciou o pagamento em Bitcoin.", + "bisqEasy.walletGuide.intro.headline" to "Prepare-se para receber seu primeiro Bitcoin", + "bisqEasy.openTrades.rejected.self" to "Você rejeitou a negociação", + "bisqEasy.takeOffer.amount.headline.buyer" to "Quanto você deseja gastar?", + "bisqEasy.tradeState.header.receive" to "Quantia a receber", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.title" to "Atenção à Mudança de Preço!", + "bisqEasy.offerDetails.priceValue" to "{0} (prêmio: {1})", + "bisqEasy.tradeWizard.review.chatMessage.floatPrice.below" to "{0} abaixo do preço de mercado", + "bisqEasy.tradeState.info.seller.phase1.headline" to "Envie seus dados de conta de pagamento para o comprador", + "bisqEasy.tradeWizard.market.columns.numPeers" to "Pares online", + "bisqEasy.tradeState.info.phase3b.button.next.amountNotMatching.resolved" to "Eu resolvi", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.favourites" to "Apenas favoritos", + "bisqEasy.openTrades.table.me" to "Eu", + "bisqEasy.tradeCompleted.header.tradeId" to "ID de Negociação", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.description.MAIN_CHAIN" to "Endereço Bitcoin", + "bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.linkToWikiText" to "Para mais detalhes sobre o sistema de Reputação, visite a Wiki do Bisq em:", + "bisqEasy.openTrades.table.tradePeer" to "Par", + "bisqEasy.price.feedback.learnWhySection.openButton" to "Por quê?", + "bisqEasy.mediation.request.confirm.headline" to "Solicitar mediação", + "bisqEasy.tradeWizard.review.paymentMethodDescription.btc" to "Método de pagamento Bitcoin", + "bisqEasy.tradeWizard.paymentMethods.warn.tooLong" to "Um nome de método de pagamento personalizado não deve ter mais de 20 caracteres.", + "bisqEasy.walletGuide.download.link" to "Clique aqui para visitar a página da Bluewallet", + "bisqEasy.onboarding.right.info" to "Navegue pelo livro de ofertas para encontrar as melhores ofertas ou crie a sua própria oferta.", + "bisqEasy.component.amount.maxRangeValue" to "Máx {0}", + "bisqEasy.tradeState.info.phase3b.balance.invalid.noOutputsForAddress" to "Nenhuma saída correspondente encontrada na transação", + "bisqEasy.tradeWizard.review.priceDescription.maker" to "Preço da oferta", + "bisqEasy.takeOffer.paymentMethods.subtitle.fiat.buyer" to "Escolha um método de pagamento para transferir {0}", + "bisqEasy.tradeGuide.security.headline" to "Quão seguro é negociar no Bisq Easy?", + "bisqEasy.takeOffer.amount.buyer.limitInfo.overlay.linkToWikiText" to "Para saber mais sobre o sistema de Reputação, visite:", + "bisqEasy.walletGuide.receive.link2" to "Tutorial da Bluewallet por BTC Sessions", + "bisqEasy.walletGuide.receive.link1" to "Tutorial da Bluewallet por Anita Posch", + "bisqEasy.tradeWizard.progress.amount" to "Quantidade", + "bisqEasy.offerbook.chatMessage.deleteOffer.confirmation" to "Tem certeza de que deseja excluir esta oferta?", + "bisqEasy.tradeWizard.review.priceDetails.float" to "Preço flutuante. {0} {1} preço de mercado de {2}", + "bisqEasy.openTrades.welcome.info" to "Por favor, familiarize-se com o conceito, processo e regras de negociação no Bisq Easy.\nDepois de ler e aceitar as regras de negociação, você pode iniciar a negociação.", + "bisqEasy.tradeState.info.seller.phase3a.fiatPaymentReceivedCheckBox" to "Confirmei ter recebido {0}", + "bisqEasy.offerbook" to "Livro de ofertas", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.description.LN" to "Fatura Lightning", + "bisqEasy.openTrades.table.makerTakerRole" to "Meu papel", + "bisqEasy.tradeWizard.market.headline.buyer" to "Em qual moeda você deseja pagar?", + "bisqEasy.tradeWizard.amount.limitInfo.overlay.headline" to "Limites de quantidade de negociação baseados na Reputação", + "bisqEasy.tradeWizard.progress.takeOffer" to "Selecionar oferta", + "bisqEasy.tradeWizard.market.columns.numOffers" to "Nº de ofertas", + "bisqEasy.offerbook.offerList.expandedList.tooltip" to "Reduzir Lista de Ofertas", + "bisqEasy.openTrades.failedAtPeer" to "O comércio do par falhou com um erro causado por: {0}", + "bisqEasy.tradeState.info.buyer.phase3b.info.ln" to "A transferência via rede Lightning é geralmente quase instantânea.\nSe você não recebeu o pagamento após 1 minuto, entre em contato com o vendedor no chat de negociação. Em alguns casos, os pagamentos falham e precisam ser repetidos.", + "bisqEasy.takeOffer.amount.buyer.limitInfo.learnMore" to "Saiba mais", + "bisqEasy.takeOffer.paymentMethods.subtitle.fiat.seller" to "Escolha um método de pagamento para receber {0}", + "bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo.leadLine" to "Como seu valor mínimo está abaixo de {0}, vendedores sem Reputação podem aceitar sua oferta.", + "bisqEasy.walletGuide.open" to "Abrir guia da carteira", + "bisqEasy.tradeState.info.seller.phase3a.btcSentButton" to "Confirmei ter enviado {0}", + "bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMax.overlay.info" to "A Pontuação de Reputação do vendedor de {0} não oferece segurança suficiente. No entanto, para valores de negociação mais baixos (até {1}), os requisitos de reputação são mais flexíveis.\n\nSe você decidir prosseguir apesar da falta de reputação do vendedor, certifique-se de estar plenamente ciente dos riscos associados. O modelo de segurança do Bisq Easy depende da reputação do vendedor, já que o comprador é obrigado a Enviar a moeda fiduciária primeiro.", + "bisqEasy.tradeState.paymentProof.MAIN_CHAIN" to "ID da transação", + "bisqEasy.takeOffer.paymentMethods.subtitle.bitcoin.seller" to "Escolha um método de liquidação para enviar Bitcoin", + "bisqEasy.offerbook.offerList.table.filters.showMyOffersOnly" to "Apenas minhas ofertas", + "bisqEasy.component.amount.baseSide.tooltip.buyerInfo" to "Vendedores podem pedir por um preço mais alto já que eles têm custos para adquirir reputação.\n5-15% acima do preço de mercado é comum.", + "bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.scoreTooLow" to "Sua Pontuação de Reputação de {0} não oferece segurança suficiente para os compradores.\n\nOs compradores que considerarem aceitar sua oferta receberão um aviso sobre os riscos potenciais ao aceitar sua oferta.\n\nVocê pode encontrar informações sobre como aumentar sua reputação em ''Reputação/Construir Reputação''.", + "bisqEasy.tradeState.info.phase3b.button.next.amountNotMatching" to "O valor da saída para o endereço ''{0}'' na transação ''{1}'' é ''{2}'', o que não corresponde ao valor da negociação de ''{3}''.\n\nVocê conseguiu resolver esse problema com seu parceiro de negociação?\nCaso contrário, você pode considerar solicitar mediação para ajudar a resolver a questão.", + "bisqEasy.tradeState.info.buyer.phase3b.balance" to "Bitcoin recebido", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.overlay.info" to "Dada a quantidade mínima baixa de {0}, os requisitos de Reputação são relaxados.\nPara quantias de até {1}, os vendedores não precisam de Reputação.\n\nNa tela ''Selecionar Oferta'', é recomendado escolher vendedores com maior Reputação.", + "bisqEasy.tradeWizard.review.toPay" to "Quantia a pagar", + "bisqEasy.takeOffer.review.headline" to "Revisar negociação", + "bisqEasy.openTrades.table.makerTakerRole.taker" to "Aceitador", + "bisqEasy.openTrades.chat.attach" to "Restaurar", + "bisqEasy.tradeWizard.amount.addMinAmountOption" to "Adicionar faixa mín/máx para quantidade", + "bisqEasy.tradeWizard.paymentMethods.warn.noBtcSettlementMethodSelected" to "Por favor, escolha pelo menos um método de liquidação em Bitcoin.", + "bisqEasy.takeOffer.paymentMethods.subtitle.bitcoin.buyer" to "Escolha um método de liquidação para receber Bitcoin", + "bisqEasy.openTrades.table.paymentMethod" to "Pagamento", + "bisqEasy.takeOffer.review.noTradeFees" to "Sem taxas de negociação no Bisq Easy", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.tooltip" to "Escaneie o código QR usando sua webcam", + "bisqEasy.tradeWizard.review.paymentMethodDescriptions.fiat.maker" to "Métodos de pagamento Fiat", + "bisqEasy.tradeWizard.review.chatMessage.peerMessageTitle.sell" to "Vender Bitcoin para", + "bisqEasy.onboarding.left.info" to "O assistente de negociação guia você através da sua primeira negociação de Bitcoin. Os vendedores de Bitcoin irão ajudá-lo se tiver alguma dúvida.", + "bisqEasy.offerbook.offerList.collapsedList.tooltip" to "Expandir Lista de Ofertas", + "bisqEasy.price.feedback.sentence.low" to "baixas", + "bisqEasy.tradeState.info.seller.phase3b.info.MAIN_CHAIN" to "O pagamento em Bitcoin requer pelo menos 1 confirmação na blockchain para ser considerado concluído.", + "bisqEasy.tradeWizard.review.toSend" to "Quantia a enviar", + "bisqEasy.tradeState.info.seller.phase1.accountData.prompt" to "Insira seus dados de conta de pagamento. Ex: IBAN, BIC e nome do titular da conta", + "bisqEasy.tradeWizard.review.chatMessage.myMessageTitle" to "Minha Oferta de {0} Bitcoin", + "bisqEasy.tradeWizard.directionAndMarket.feedback.headline" to "Como construir reputação?", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.info" to "Para ofertas de até {0}, os requisitos de Reputação são relaxados.", + "bisqEasy.tradeWizard.review.createOfferSuccessButton" to "Mostrar minha oferta em 'Livro de Ofertas'", + "bisqEasy.tradeWizard.review.takeOfferSuccess.subTitle" to "Por favor, entre em contato com o par de negociação em 'Negociações Abertas'.\nVocê encontrará mais informações para os próximos passos lá.\n\nCertifique-se de verificar regularmente o aplicativo Bisq para novas mensagens do seu par de negociação.", + "bisqEasy.mediation.request.confirm.openMediation" to "Abrir mediação", + "bisqEasy.price.tradePrice.inputBoxText" to "Preço de negociação em {0}", + "bisqEasy.tradeGuide.rules.content" to "- Antes da troca de detalhes de conta entre o vendedor e o comprador, qualquer parte pode cancelar a negociação sem fornecer justificativa.\n- Os negociantes devem verificar regularmente suas negociações em busca de novas mensagens e devem responder dentro de 24 horas.\n- Uma vez que os detalhes da conta são trocados, não cumprir as obrigações da negociação é considerado uma violação do contrato de negociação e pode resultar em um banimento da rede Bisq. Isso não se aplica se o parceiro de negociação não estiver respondendo.\n- Durante o pagamento em Fiat, o comprador NÃO DEVE incluir termos como 'Bisq' ou 'Bitcoin' no campo 'motivo do pagamento'. Os negociantes podem concordar em um identificador, como uma sequência aleatória como 'H3TJAPD', para associar a transferência bancária com a negociação.\n- Se a negociação não puder ser completada instantaneamente devido a tempos de transferência Fiat mais longos, ambos os negociantes devem estar online pelo menos uma vez por dia para monitorar o progresso da negociação.\n- No caso de os negociantes encontrarem problemas não resolvidos, eles têm a opção de convidar um mediador para o chat da negociação para assistência.\n\nSe você tiver alguma dúvida ou precisar de assistência, não hesite em visitar as salas de chat acessíveis no menu 'Suporte'. Boas negociações!", + "bisqEasy.offerbook.offerList.table.columns.peerProfile" to "Perfil do Par", + "bisqEasy.tradeState.info.phase3b.balance.invalid.amountNotMatching" to "O valor da saída da transação não corresponde ao valor da negociação", + "bisqEasy.tradeWizard.review.chatMessage.peerMessage.buy" to "Comprar Bitcoin de {0}\nQuantidade: {1}\nMétodo(s) de pagamento em Bitcoin: {2}\nMétodo(s) de pagamento em Fiat: {3}\n{4}", + "bisqEasy.price.percentage.title" to "Preço percentual", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.connecting" to "Conectando à webcam...", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.learnMore" to "Saiba mais", + "bisqEasy.tradeGuide.open" to "Abrir guia de negociação", + "bisqEasy.tradeState.info.phase3b.lightning.preimage" to "Pré-imagem", + "bisqEasy.tradeWizard.review.table.baseAmount.seller" to "Você gasta", + "bisqEasy.openTrades.cancelTrade.warning.buyer" to "Como a troca de detalhes de conta já começou, cancelar a negociação sem o consentimento do vendedor {0}", + "bisqEasy.tradeWizard.review.chatMessage.marketPrice" to "Preço de mercado", + "bisqEasy.tradeWizard.amount.seller.limitInfo.link" to "Saiba mais", + "bisqEasy.tradeState.info.seller.phase2a.waitForPayment.info" to "Assim que o comprador iniciar o pagamento de {0}, você será notificado.", + "bisqEasy.offerbook.offerList.table.columns.price.tooltip.fixPrice" to "Preço fixo: {0}\nPorcentagem do preço de mercado atual: {1}", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.walletHelp" to "Se você ainda não configurou uma carteira, pode encontrar ajuda no guia da carteira", + "bisqEasy.tradeGuide.security.content" to "- O modelo de segurança do Bisq Easy é otimizado para quantias pequenas de comércio.\n- O modelo depende da reputação do vendedor, que geralmente é um usuário experiente do Bisq e espera-se que forneça suporte útil para novos usuários.\n- Construir reputação pode ser custoso, levando a um prêmio de preço comum de 5-15% para cobrir despesas extras e compensar pelo serviço do vendedor.\n- Negociar com vendedores sem reputação carrega riscos significativos e só deve ser feito se os riscos forem completamente compreendidos e gerenciados.", + "bisqEasy.openTrades.csv.paymentMethod" to "Método de pagamento", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.button.accept" to "Aceitar preço", + "bisqEasy.openTrades.failed" to "O comércio falhou com a mensagem de erro: {0}", + "bisqEasy.tradeState.info.seller.phase3b.headline.MAIN_CHAIN" to "Aguardando confirmação na blockchain", + "bisqEasy.tradeState.info.buyer.phase3a.info" to "O vendedor precisa iniciar o pagamento em Bitcoin para o seu {0} fornecido.", + "bisqEasy.tradeState.info.seller.phase3b.headline.ln" to "Aguarde a confirmação do recebimento do Bitcoin pelo comprador", + "bisqEasy.tradeState.phase4" to "Negociação concluída", + "bisqEasy.tradeWizard.review.detailsHeadline.taker" to "Detalhes da negociação", + "bisqEasy.tradeState.phase3" to "Transferência de Bitcoin", + "bisqEasy.tradeWizard.review.takeOfferSuccess.headline" to "Você aceitou a oferta com sucesso", + "bisqEasy.tradeState.phase2" to "Pagamento em fiat", + "bisqEasy.tradeState.phase1" to "Detalhes da conta", + "bisqEasy.mediation.request.feedback.msg" to "Uma solicitação foi enviada aos mediadores registrados.\n\nPor favor, tenha paciência até que um mediador esteja online para se juntar ao chat de negociação e ajudar a resolver quaisquer problemas.", + "bisqEasy.offerBookChannel.description" to "Canal de mercado para negociação {0}", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.failed" to "Falha ao conectar à webcam", + "bisqEasy.tradeGuide.welcome.content" to "Este guia fornece uma visão geral dos aspectos essenciais para comprar ou vender Bitcoin com o Bisq Easy.\nNeste guia, você aprenderá sobre o modelo de segurança usado no Bisq Easy, obterá insights sobre o processo de negociação e se familiarizará com as regras de negociação.\n\nPara quaisquer perguntas adicionais, sinta-se à vontade para visitar as salas de chat disponíveis no menu 'Suporte'.", + "bisqEasy.offerDetails.quoteSideAmount" to "Quantia em {0}", + "bisqEasy.tradeState.info.seller.phase2a.waitForPayment.headline" to "Aguarde o pagamento de {0} do comprador", + "bisqEasy.tradeState.info.buyer.phase2a.reasonForPaymentInfo" to "Por favor, deixe o campo 'Motivo do pagamento' em branco, caso faça uma transferência bancária", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.proceed" to "Ignorar aviso", + "bisqEasy.offerbook.offerList.table.filters.paymentMethods.title" to "Métodos de pagamento ({0})", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.browseOfferbook" to "Navegar pelo livro de ofertas", + "bisqEasy.tradeState.info.seller.phase2b.fiatReceivedButton" to "Confirmar recebimento de {0}", + "bisqEasy.tradeWizard.amount.seller.limitInfo.noReputationNeededForMaxOrFixedAmount" to "Para valores de até {0}, nenhuma Reputação é necessária.", + "bisqEasy.openTrades.csv.receiverAddressOrInvoice" to "Endereço do receptor/Fatura", + "bisqEasy.tradeWizard.review.chatMessage.peerMessage.sell" to "Vender Bitcoin para {0}\nQuantidade: {1}\nMétodo(s) de pagamento em Bitcoin: {2}\nMétodo(s) de pagamento em Fiat: {3}\n{4}", + "bisqEasy.takeOffer.review.sellerPaysMinerFee" to "Vendedor paga a taxa de mineração", + "bisqEasy.takeOffer.review.sellerPaysMinerFeeLong" to "O vendedor paga a taxa de mineração", + "bisqEasy.tradeWizard.review.paymentMethodDescriptions.fiat.taker" to "Selecionar método de pagamento Fiat", + "bisqEasy.tradeWizard.directionAndMarket.feedback.gainReputation" to "Aprenda a construir reputação", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.MAIN_CHAIN" to "O ID da transação que você inseriu parece ser inválido.\n\nSe você tiver certeza de que o ID da transação é válido, pode ignorar este aviso e prosseguir.", + "bisqEasy.tradeState.info.buyer.phase2a.quoteAmount" to "Quantia a transferir", + "bisqEasy.offerbook.marketListCell.favourites.tooltip.removeFromFavourites" to "Remover dos favoritos", + "bisqEasy.offerbook.marketListCell.numOffers.tooltip.none" to "Ainda não há ofertas disponíveis no mercado {0}", + "bisqEasy.price.percentage.inputBoxText" to "Percentual do preço de mercado entre -10% e 50%", + "bisqEasy.takeOffer.amount.seller.limitInfo.overlay.info.scoreTooLow" to "Para valores de até {0}, os requisitos de reputação são relaxados.\n\nSua Pontuação de Reputação de {1} não oferece segurança suficiente para o comprador. No entanto, dado o baixo valor da negociação, o comprador aceitou correr o risco.\n\nVocê pode encontrar informações sobre como aumentar sua reputação em ''Reputação/Construir Reputação''.", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.description.LN" to "Preimagem (opcional)", + "bisqEasy.takeOffer.bitcoinPaymentData.warning.MAIN_CHAIN" to "O endereço Bitcoin que você inseriu parece ser inválido.\n\nSe você tiver certeza de que o endereço é válido, pode ignorar este aviso e prosseguir.", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.goBack" to "Alterar seleção", + "bisqEasy.tradeWizard.amount.seller.wizard.numMatchingOffers.info" to "Há {0} correspondências com o valor de negociação escolhido.", + "bisqEasy.tradeState.bitcoinPaymentData.MAIN_CHAIN" to "Endereço Bitcoin", + "bisqEasy.onboarding.top.content1" to "Obtenha uma rápida introdução ao Bisq Easy", + "bisqEasy.onboarding.top.content2" to "Veja como o processo de negociação funciona", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.description.MAIN_CHAIN" to "ID da transação", + "bisqEasy.onboarding.top.content3" to "Aprenda sobre as regras simples de negociação", + "bisqEasy.tradeState.header.peer" to "Parceiro de negociação", + "bisqEasy.tradeState.info.phase3b.button.skip" to "Parar de esperar pelo bloco de confirmação", + "bisqEasy.openTrades.closeTrade.warning.completed" to "Sua negociação foi concluída.\n\nAgora você pode fechar a negociação ou fazer backup dos dados da negociação no seu computador, se necessário.\n\nUma vez que a negociação é fechada, todos os dados relacionados à negociação são excluídos, e você não pode mais se comunicar com o par de negociação no chat de negociação.", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.noReputationNeededForMaxOrFixedAmount.riskInfo" to "Certifique-se de entender completamente os riscos envolvidos.", + "bisqEasy.tradeState.info.buyer.phase1a.tradeLogMessage.LN" to "{0} enviou a fatura Lightning ''{1}''", + "bisqEasy.openTrades.cancelled.peer" to "Seu par de negociação cancelou a negociação", + "bisqEasy.tradeCompleted.header.myOutcome.seller" to "Eu recebi", + "bisqEasy.tradeWizard.review.chatMessage.offerDetails" to "Quantidade: {0}\nMétodo(s) de pagamento em Bitcoin: {1}\nMétodo(s) de pagamento em Fiat: {2}\n{3}", + "bisqEasy.takeOffer.bitcoinPaymentData.warning.proceed" to "Ignorar aviso", + "bisqEasy.takeOffer.review.detailsHeadline" to "Detalhes da negociação", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.info" to "Um vendedor que deseja aceitar sua oferta de {0} deve ter uma Pontuação de Reputação de pelo menos {1}.\nAo reduzir o valor máximo da negociação, você torna sua oferta acessível a mais vendedores.", + "bisqEasy.tradeState.info.buyer.phase2a.tradeLogMessage" to "{0} iniciou o pagamento {1}", + "bisqEasy.takeOffer.amount.seller.limitInfo.scoreTooLow" to "Como sua Pontuação de Reputação é apenas {0}, seu valor de negociação está restrito a", + "bisqEasy.tradeState.info.seller.phase3a.baseAmount" to "Quantia a enviar", + "bisqEasy.takeOffer.review.takeOfferSuccess.subTitle" to "Por favor, entre em contato com o par de negociação em 'Negociações Abertas'.\nVocê encontrará mais informações para os próximos passos lá.\n\nCertifique-se de verificar regularmente o aplicativo Bisq para novas mensagens do seu par de negociação.", + "bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.paymentProof.LN" to "Preimagem", + "bisqEasy.tradeCompleted.body.txId.tooltip" to "Abrir explorador de blocos para a transação", + "bisqEasy.offerbook.marketListCell.numOffers.many" to "{0} ofertas", + "bisqEasy.walletGuide.createWallet.content" to "A Bluewallet permite que você crie várias carteiras para diferentes propósitos. Por agora, você só precisa ter uma carteira. Uma vez que você entra na Bluewallet, verá uma mensagem sugerindo que adicione uma nova carteira. Uma vez que você fizer isso, insira um nome para sua carteira e escolha a opção *Bitcoin* na seção *Tipo*. Você pode deixar todas as outras opções como estão e clicar em *Criar*.\n\nQuando você passar para a próxima etapa, será apresentado com 12 palavras. Essas 12 palavras são o backup que permite recuperar sua carteira se algo acontecer com seu telefone. Anote-as em um pedaço de papel (não digitalmente) na mesma ordem em que são apresentadas, guarde este papel com segurança e certifique-se de que só você tenha acesso a ele. Você pode ler mais sobre como proteger sua carteira nas seções Aprender do Bisq 2 dedicadas a carteiras e segurança.\n\nUma vez que terminar, clique em 'Ok, eu anotei'.\nParabéns! Você criou sua carteira! Vamos passar para como receber seu bitcoin nela.", + "bisqEasy.tradeCompleted.body.tradeFee.value" to "Sem taxas de negociação no Bisq Easy", + "bisqEasy.walletGuide.download.content" to "Existem muitas Carteiras disponíveis que você pode usar. Neste guia, vamos mostrar como usar o Bluewallet. O Bluewallet é excelente e, ao mesmo tempo, muito simples, e você pode usá-lo para Receber seu Bitcoin do Bisq Easy.\n\nVocê pode baixar o Bluewallet no seu telefone, independentemente de ter um dispositivo Android ou iOS. Para isso, você pode visitar a página oficial em 'bluewallet.io'. Uma vez lá, clique em App Store ou Google Play, dependendo do dispositivo que você está usando.\n\nNota importante: para sua segurança, certifique-se de baixar o aplicativo da loja oficial do seu dispositivo. O aplicativo oficial é fornecido por 'Bluewallet Services, S.R.L.', e você deve conseguir ver isso na sua loja de aplicativos. Baixar uma Carteira maliciosa pode colocar seus fundos em risco.\n\nFinalmente, uma rápida observação: o Bisq não está afiliado ao Bluewallet de nenhuma forma. Sugerimos usar o Bluewallet devido à sua qualidade e simplicidade, mas existem muitas outras opções no mercado. Você deve se sentir absolutamente à vontade para comparar, experimentar e escolher a Carteira que melhor atende às suas necessidades.", + "bisqEasy.tradeState.info.phase4.txId.tooltip" to "Abrir transação no explorador de blocos", + "bisqEasy.price.feedback.sentence" to "Sua oferta tem {0} chances de ser aceita a esse preço.", + "bisqEasy.takeOffer.paymentMethods.headline.fiatAndBitcoin" to "Qual método de pagamento e liquidação você deseja usar?", + "bisqEasy.tradeWizard.paymentMethods.headline" to "Quais métodos de pagamento e liquidação você deseja usar?", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.nameAZ" to "Nome A-Z", + "bisqEasy.tradeWizard.amount.buyer.limitInfo" to "Há {0} na rede com Reputação suficiente para aceitar uma oferta de {1}.", + "bisqEasy.tradeCompleted.header.myDirection.btc" to "btc", + "bisqEasy.tradeGuide.notConfirmed.warn" to "Por favor, leia o guia de negociação e confirme que você leu e entendeu as regras de negociação.", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.info.leadLine" to "Há {0} correspondências com o valor de negociação escolhido.", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.linkToWikiText" to "Para saber mais sobre o sistema de Reputação, visite:", + "bisqEasy.tradeState.info.seller.phase3b.info.ln" to "As transferências via a Lightning Network são geralmente quase instantâneas e confiáveis. No entanto, em alguns casos, os pagamentos podem falhar e precisar ser repetidos.\n\nPara evitar quaisquer problemas, por favor, aguarde o comprador confirmar o recebimento no chat de negociação antes de fechar o trade, pois a comunicação não será mais possível após isso.", + "bisqEasy.tradeGuide.process" to "Processo", + "bisqEasy.tradeWizard.paymentMethods.warn.customNameMatchesPredefinedMethod" to "O nome do seu método de pagamento personalizado não deve ser o mesmo que um dos predefinidos.", + "bisqEasy.tradeState.info.phase3b.balance.help.explorerLookup" to "Procurando transação no explorador de blocos ''{0}''", + "bisqEasy.tradeWizard.progress.paymentMethods" to "Métodos de pagamento", + "bisqEasy.openTrades.table.quoteAmount" to "Quantia", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.filterTitle" to "Mostrar mercados:", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.LN" to "A preimagem que você inseriu parece ser inválida.\n\nSe você tiver certeza de que a preimagem é válida, pode ignorar este aviso e prosseguir.", + "bisqEasy.tradeState.info.seller.phase1.accountData" to "Meus dados de conta de pagamento", + "bisqEasy.price.feedback.sentence.good" to "boas", + "bisqEasy.takeOffer.review.method.fiat" to "Método de pagamento Fiat", + "bisqEasy.offerbook.offerList" to "Lista de Ofertas", + "bisqEasy.offerDetails.baseSideAmount" to "Quantia de Bitcoin", + "bisqEasy.tradeState.info.seller.phase3a.bitcoinPayment.description.MAIN_CHAIN" to "Endereço Bitcoin", + "bisqEasy.tradeState.info.phase3b.txId" to "ID da transação", + "bisqEasy.tradeWizard.review.paymentMethodDescription.fiat" to "Método de pagamento Fiat", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.prompt.MAIN_CHAIN" to "Insira o ID da transação Bitcoin", + "bisqEasy.tradeState.info.seller.phase3b.balance" to "Pagamento em Bitcoin", + "bisqEasy.takeOffer.amount.headline.seller" to "Quanto você deseja negociar?", + "bisqEasy.tradeWizard.paymentMethods.warn.maxMethodsReached" to "Você não pode adicionar mais de 4 métodos de pagamento.", + "bisqEasy.tradeCompleted.header.tradeWith" to "Negociar com", + ), + "reputation" to mapOf( + "reputation.burnBsq" to "Queimar BSQ", + "reputation.signedWitness.import.step2.instruction" to "Copie o ID de perfil para colar na Bisq 1.", + "reputation.signedWitness.import.step4.instruction" to "Cole os dados json do passo anterior", + "reputation.buildReputation.accountAge.description" to "Os usuários do Bisq 1 podem ganhar Reputação importando a Idade da conta do Bisq 1 para o Bisq 2.", + "reputation.reputationScore.explanation.ranking.description" to "Classifica os usuários da maior para a menor pontuação.\nComo regra geral ao negociar: quanto maior a classificação, maior a probabilidade de uma negociação bem-sucedida.", + "user.bondedRoles.type.MEDIATOR.how.inline" to "um mediador", + "reputation.totalScore" to "Pontuação total", + "user.bondedRoles.registration.requestRegistration" to "Solicitar registro", + "reputation.reputationScore" to "Pontuação de reputação", + "reputation.signedWitness.info" to "Ao vincular sua 'testemunha assinada da idade da conta' do Bisq 1, você pode fornecer um certo nível de confiança. Existem algumas expectativas razoáveis de que um usuário que negociou há algum tempo no Bisq 1 e teve sua conta assinada é um usuário honesto. Mas essa expectativa é fraca em comparação com outras formas de reputação, onde o usuário fornece mais 'skin in the game' com o uso de recursos financeiros.", + "user.bondedRoles.headline.roles" to "Papéis vinculados", + "reputation.request.success" to "Solicitação de autorização do nó ponte do Bisq 1 realizada com sucesso\n\nSeus dados de reputação agora devem estar disponíveis na rede.", + "reputation.bond.score.headline" to "Impacto na pontuação de reputação", + "user.bondedRoles.type.RELEASE_MANAGER.about.inline" to "gerente de lançamento", + "reputation.source.BISQ1_ACCOUNT_AGE" to "Idade da conta", + "reputation.table.columns.profileAge" to "Idade do perfil", + "reputation.burnedBsq.info" to "Ao queimar BSQ, você fornece evidências de que investiu dinheiro em sua reputação.\nA transação de queima de BSQ contém o hash da chave pública do seu perfil. Em caso de comportamento malicioso, seu perfil pode ser banido e, com isso, seu investimento em sua reputação se tornaria sem valor.", + "reputation.signedWitness.import.step1.instruction" to "Selecione o perfil de usuário ao qual você deseja atribuir a reputação.", + "reputation.signedWitness.totalScore" to "Idade da testemunha em dias * peso", + "reputation.table.columns.details.button" to "Mostrar detalhes", + "reputation.ranking" to "Classificação", + "reputation.accountAge.import.step2.profileId" to "ID de perfil (Cole na tela de conta na Bisq 1)", + "reputation.accountAge.infoHeadline2" to "Implicações de privacidade", + "user.bondedRoles.registration.how.headline" to "Como se tornar {0}?", + "reputation.details.table.columns.lockTime" to "Tempo de bloqueio", + "reputation.buildReputation.learnMore.link" to "Wiki do Bisq.", + "reputation.reputationScore.explanation.intro" to "A Reputação no Bisq é capturada em três elementos:", + "reputation.score.tooltip" to "Puntuación: {0}\nRanking: {1}", + "user.bondedRoles.cancellation.failed" to "O envio do pedido de cancelamento falhou.\n\n{0}", + "reputation.accountAge.tab3" to "Importar", + "reputation.accountAge.tab2" to "Pontuação", + "reputation.score" to "Pontuação", + "reputation.accountAge.tab1" to "Por quê", + "reputation.accountAge.import.step4.signedMessage" to "Dados json da Bisq 1", + "reputation.request.error" to "Falha ao solicitar autorização. Texto da área de transferência:\n{0}", + "reputation.signedWitness.import.step3.instruction1" to "3.1. - Abra a Bisq 1 e vá para 'CONTA/CONTAS DE MOEDA NACIONAL'.", + "user.bondedRoles.type.MEDIATOR.about.info" to "Se houver conflitos em uma negociação Bisq Easy, os negociadores podem solicitar ajuda de um mediador.\nO mediador não tem poder de execução e só pode tentar ajudar a encontrar uma resolução cooperativa. Em caso de violações claras das regras de negociação ou tentativas de golpe, o mediador pode fornecer informações ao moderador para banir o malfeitor da rede.\nMediadores e árbitros do Bisq 1 podem se tornar mediadores do Bisq 2 sem bloquear um novo vínculo BSQ.", + "reputation.signedWitness.import.step3.instruction3" to "3.3. - Isso criará dados json com a assinatura do seu ID de Perfil da Bisq 2 e o copiará para a área de transferência.", + "user.bondedRoles.table.columns.role" to "Papel", + "reputation.accountAge.import.step1.instruction" to "Selecione o perfil de usuário ao qual você deseja atribuir a reputação.", + "reputation.signedWitness.import.step3.instruction2" to "3.2. - Selecione a conta mais antiga e clique em 'EXPORTAR TESTEMUNHA ASSINADA PARA BISQ 2'.", + "reputation.accountAge.import.step2.instruction" to "Copie o ID de perfil para colar na Bisq 1.", + "reputation.signedWitness.score.info" to "Importar a 'testemunha de idade da conta assinada' é considerada uma forma fraca de reputação, que é representada pelo fator de peso. A 'testemunha de idade da conta assinada' deve ter pelo menos 61 dias e existe um limite de 2000 dias para o cálculo da pontuação.", + "user.bondedRoles.type.SECURITY_MANAGER" to "Gerente de segurança", + "reputation.accountAge.import.step4.instruction" to "Cole os dados json do passo anterior", + "reputation.buildReputation.intro.part1.formula.footnote" to "* Convertido para a moeda utilizada.", + "user.bondedRoles.type.SECURITY_MANAGER.about.inline" to "gerente de segurança", + "user.bondedRoles.type.MARKET_PRICE_NODE.about.info" to "O nó de preço de mercado fornece dados de mercado do agregador de preços de mercado do Bisq.", + "reputation.burnedBsq.score.headline" to "Impacto na pontuação de reputação", + "user.bondedRoles.type.MODERATOR.about.inline" to "moderador", + "reputation.burnedBsq.infoHeadline" to "Compromisso com o jogo", + "user.bondedRoles.type.ARBITRATOR.about.inline" to "árbitro", + "user.bondedRoles.registration.how.info.node" to "9. Copie o arquivo 'default_node_address.json' do diretório de dados do nó que deseja registrar para o seu disco rígido e abra-o com o botão 'Importar endereço do nó'.\n10. Clique no botão 'Solicitar registro'. Se tudo estiver correto, seu registro se tornará visível na tabela de Nós da rede registrados.", + "user.bondedRoles.type.MODERATOR" to "Moderador", + "reputation.buildReputation.intro.part2" to "Se um vendedor publicar uma oferta com um valor não coberto pela sua Pontuação de Reputação, o comprador verá um aviso sobre os riscos potenciais ao aceitar essa oferta.", + "reputation.buildReputation.intro.part1" to "O modelo de segurança do Bisq Easy depende da Reputação do vendedor. Isso ocorre porque, durante uma negociação, o comprador envia o valor em fiat primeiro, portanto, o vendedor precisa fornecer Reputação para estabelecer algum nível de segurança.\nUm vendedor pode aceitar ofertas até o valor derivado de sua Pontuação de Reputação.\nÉ calculado da seguinte forma:", + "user.bondedRoles.type.SEED_NODE" to "Nó seed", + "reputation.bond.infoHeadline2" to "Qual é o valor e o tempo de bloqueio recomendados?", + "reputation.bond.tab2" to "Pontuação", + "reputation.bond.tab1" to "Por quê", + "reputation" to "Reputação", + "user.bondedRoles.registration.showInfo" to "Mostrar instruções", + "reputation.bond.tab3" to "Como fazer", + "user.bondedRoles.table.columns.isBanned" to "Está banido", + "reputation.burnedBsq.totalScore" to "Quantidade de BSQ queimado * peso * (1 + idade / 365)", + "reputation.request" to "Solicitar autorização", + "user.bondedRoles.type.MARKET_PRICE_NODE.how.inline" to "um operador de nó de preço de mercado", + "reputation.reputationScore.explanation.stars.title" to "Estrelas", + "user.bondedRoles.type.MEDIATOR" to "Mediador", + "reputation.buildReputation" to "Construir Reputação", + "reputation.buildReputation.accountAge.title" to "Idade da conta", + "reputation.source.BSQ_BOND" to "BSQ vinculado", + "reputation.table.columns.details.popup.headline" to "Detalhes da reputação", + "user.bondedRoles.type.RELEASE_MANAGER.about.info" to "Um gerente de lançamento pode enviar notificações quando uma nova versão estiver disponível.", + "reputation.accountAge.infoHeadline" to "Proporcionar confiança", + "reputation.accountAge.import.step4.title" to "Passo 4", + "user.bondedRoles.type.SEED_NODE.about.inline" to "operador de nó semente", + "reputation.sim.burnAmount.prompt" to "Digite a quantidade de BSQ", + "reputation.score.formulaHeadline" to "A pontuação de reputação é calculada da seguinte forma:", + "reputation.buildReputation.accountAge.button" to "Saiba como importar a idade da conta", + "reputation.signedWitness.tab2" to "Pontuação", + "reputation.signedWitness.tab1" to "Por quê", + "reputation.table.columns.reputation" to "Reputação", + "user.bondedRoles.verification.howTo.instruction" to "1. Abra o Bisq 1 e vá para 'DAO/Bonding/Bonded roles' e selecione o papel pelo nome de usuário do vínculo e o tipo de papel.\n2. Clique no botão de verificação, copie o ID do perfil e cole no campo de mensagem.\n3. Copie a assinatura e cole no campo de assinatura no Bisq 1.\n4. Clique no botão de verificar. Se a verificação da assinatura for bem-sucedida, o papel vinculado é válido.", + "reputation.signedWitness.tab3" to "Como fazer", + "reputation.buildReputation.title" to "Como os vendedores podem aumentar sua Reputação?", + "reputation.buildReputation.bsqBond.button" to "Saiba como vincular BSQ", + "reputation.burnedBsq.infoHeadline2" to "Qual é a quantidade recomendada para queimar?", + "reputation.signedWitness.import.step4.signedMessage" to "Dados json da Bisq 1", + "reputation.buildReputation.burnBsq.button" to "Saiba como queimar BSQ", + "reputation.accountAge.score.info" to "Importar 'idade da conta' é considerado uma forma de reputação bastante fraca, representada pelo baixo fator de peso. Há um limite de 2000 dias para o cálculo da pontuação.", + "reputation.reputationScore.intro" to "Nesta seção, a Reputação do Bisq é explicada para que você possa tomar decisões informadas ao aceitar uma oferta.", + "user.bondedRoles.registration.bondHolderName" to "Nome de usuário do detentor do vínculo", + "user.bondedRoles.type.SEED_NODE.about.info" to "Um nó semente fornece endereços de rede de participantes da rede para inicialização na rede P2P Bisq 2.\nIsso é essencial no primeiro início, pois nesse momento o novo usuário ainda não tem dados persistidos para se conectar a outros pares.\nTambém fornece dados de rede P2P como mensagens de chat para o usuário que está se conectando. Esse serviço de entrega de dados também é realizado por qualquer outro nó de rede, mas como os nós semente têm disponibilidade 24/7 e um alto nível de qualidade de serviço, eles proporcionam mais estabilidade e melhor desempenho, levando a uma melhor experiência de inicialização.\nOperadores de nó semente do Bisq 1 podem se tornar operadores de nó semente do Bisq 2 sem bloquear um novo vínculo BSQ.", + "reputation.table.headline" to "Classificação de reputação", + "user.bondedRoles.type.SECURITY_MANAGER.how.inline" to "um gerente de segurança", + "reputation.buildReputation.bsqBond.description" to "Semelhante ao BSQ queimado, mas utilizando títulos de BSQ reembolsáveis.\nO BSQ precisa ser vinculado por um mínimo de 50.000 blocos (cerca de 1 ano).", + "user.bondedRoles.registration.node.addressInfo.prompt" to "Importe o arquivo 'default_node_address.json' do diretório de dados do nó.", + "user.bondedRoles.registration.node.privKey" to "Chave privada", + "user.bondedRoles.registration.headline" to "Solicitar registro", + "reputation.sim.lockTime" to "Tempo de bloqueio em blocos", + "reputation.bond" to "Vínculos BSQ", + "user.bondedRoles.registration.signature.prompt" to "Cole a assinatura do seu papel vinculado", + "reputation.buildReputation.burnBsq.title" to "Queimar BSQ", + "user.bondedRoles.table.columns.node.address" to "Endereço", + "reputation.reputationScore.explanation.score.title" to "Pontuação", + "user.bondedRoles.type.MARKET_PRICE_NODE" to "Nó de preço de mercado", + "reputation.bond.info2" to "O tempo de bloqueio precisa ser de pelo menos 50.000 blocos, o que equivale a cerca de 1 ano, para ser considerado um vínculo válido. O valor pode ser escolhido pelo usuário e determinará o ranking em relação a outros vendedores. Os vendedores com a maior Pontuação de Reputação terão melhores oportunidades de negociação e poderão obter um prêmio de preço mais alto. As melhores ofertas classificadas pela reputação serão promovidas na seleção de ofertas no 'Assistente de Negociação'.", + "reputation.accountAge.info2" to "Vincular sua conta do Bisq 1 com o Bisq 2 tem algumas implicações na sua privacidade. Para verificar sua 'idade da conta', sua identidade do Bisq 1 fica criptograficamente vinculada ao seu ID de perfil do Bisq 2.\nNo entanto, a exposição é limitada ao 'nó ponte do Bisq 1', que é operado por um contribuidor do Bisq que estabeleceu um vínculo BSQ (função vinculada).\n\nA idade da conta é uma alternativa para aqueles que não querem usar BSQ queimado ou vínculos BSQ devido ao custo financeiro. A 'idade da conta' deve ter pelo menos vários meses para refletir algum nível de confiança.", + "reputation.signedWitness.score.headline" to "Impacto na pontuação de reputação", + "reputation.accountAge.info" to "Ao vincular sua 'idade da conta' Bisq 1, você pode fornecer um certo nível de confiança. Existem algumas expectativas razoáveis de que um usuário que usou o Bisq por algum tempo é um usuário honesto. Mas essa expectativa é fraca em comparação com outras formas de reputação, onde o usuário fornece provas mais fortes com o uso de alguns recursos financeiros.", + "reputation.reputationScore.closing" to "Para mais detalhes sobre como um vendedor construiu sua Reputação, veja a seção 'Ranking' e clique em 'Mostrar detalhes' no usuário.", + "user.bondedRoles.cancellation.success" to "Pedido de cancelamento foi enviado com sucesso. Você verá na tabela abaixo se o pedido de cancelamento foi verificado com sucesso e a função removida pelo nó oráculo.", + "reputation.buildReputation.intro.part1.formula.output" to "Valor máximo da negociação em USD *", + "reputation.buildReputation.signedAccount.title" to "Testemunha Assinada", + "reputation.signedWitness.infoHeadline" to "Proporcionar confiança", + "user.bondedRoles.type.EXPLORER_NODE.about.info" to "O nó explorador de blockchain é usado no Bisq Easy para a consulta de transações de pagamento em Bitcoin.", + "reputation.buildReputation.signedAccount.description" to "Os usuários do Bisq 1 podem ganhar Reputação importando a Idade da conta assinada do Bisq 1 para o Bisq 2.", + "reputation.burnedBsq.score.info" to "Queimar BSQ é considerado a forma mais forte de Reputação, que é representada pelo alto fator de peso. Um aumento baseado no tempo é aplicado durante o primeiro ano, aumentando gradualmente a Pontuação de Reputação até o dobro de seu valor inicial.", + "reputation.accountAge" to "Idade da conta", + "reputation.burnedBsq.howTo" to "1. Selecione o perfil de usuário para o qual você deseja anexar a reputação.\n2. Copie o 'ID do perfil'\n3. Abra o Bisq 1 e vá para 'DAO/PROVA DE QUEIMA' e cole o valor copiado no campo 'pré-imagem'.\n4. Digite a quantidade de BSQ que você deseja queimar.\n5. Publique a transação de queima de BSQ.\n6. Após a confirmação da blockchain, sua reputação se tornará visível no seu perfil.", + "user.bondedRoles.type.ARBITRATOR.how.inline" to "um árbitro", + "user.bondedRoles.type.RELEASE_MANAGER" to "Gerente de lançamento", + "reputation.bond.info" to "Ao configurar um BSQ vinculado, você fornece evidências de que bloqueou dinheiro para ganhar Reputação.\nA transação do BSQ vinculado contém o hash da chave pública do seu perfil. Em caso de comportamento malicioso, seu vínculo pode ser confiscado pela DAO e seu perfil pode ser banido.", + "reputation.weight" to "Peso", + "reputation.buildReputation.bsqBond.title" to "Vinculando BSQ", + "reputation.sim.age" to "Idade em dias", + "reputation.burnedBsq.howToHeadline" to "Processo para queimar BSQ", + "reputation.bond.howToHeadline" to "Processo para configurar um vínculo BSQ", + "reputation.sim.age.prompt" to "Digite a idade em dias", + "user.bondedRoles.type.SECURITY_MANAGER.about.info" to "Um gerente de segurança pode enviar uma mensagem de alerta em casos de situações de emergência.", + "reputation.bond.score.info" to "Configurar um BSQ vinculado é considerado uma forma forte de Reputação. O tempo de bloqueio deve ser de pelo menos: 50 000 blocos (cerca de 1 ano). Um aumento baseado no tempo é aplicado durante o primeiro ano, aumentando gradualmente a Pontuação de Reputação até o dobro de seu valor inicial.", + "reputation.signedWitness" to "Testemunha Assinada", + "user.bondedRoles.registration.about.headline" to "Sobre o papel de {0}", + "user.bondedRoles.registration.hideInfo" to "Ocultar instruções", + "reputation.source.BURNED_BSQ" to "BSQ queimado", + "reputation.buildReputation.learnMore" to "Saiba mais sobre o sistema de Reputação do Bisq no", + "reputation.reputationScore.explanation.stars.description" to "Esta é uma representação gráfica da pontuação. Veja a tabela de conversão abaixo para entender como as estrelas são calculadas.\nÉ recomendável negociar com vendedores que tenham o maior número de estrelas.", + "reputation.burnedBsq.tab1" to "Por quê", + "reputation.burnedBsq.tab3" to "Como fazer", + "reputation.burnedBsq.tab2" to "Pontuação", + "user.bondedRoles.registration.node.addressInfo" to "Dados de endereço do nó", + "reputation.buildReputation.signedAccount.button" to "Saiba como importar conta assinada", + "user.bondedRoles.type.ORACLE_NODE.about.info" to "O nó oráculo é usado para fornecer dados do Bisq 1 e DAO para casos de uso como reputação no Bisq 2.", + "reputation.buildReputation.intro.part1.formula.input" to "Pontuação de reputação", + "reputation.signedWitness.import.step2.title" to "Passo 2", + "reputation.table.columns.reputationScore" to "Pontuação de reputação", + "user.bondedRoles.table.columns.node.address.openPopup" to "Abrir popup de dados de endereço", + "reputation.sim.lockTime.prompt" to "Digite o tempo de bloqueio", + "reputation.sim.score" to "Pontuação total", + "reputation.accountAge.import.step3.title" to "Passo 3", + "reputation.signedWitness.info2" to "Vincular sua conta do Bisq 1 com o Bisq 2 tem algumas implicações na sua privacidade. Para verificar sua 'testemunha de idade da conta assinada', sua identidade do Bisq 1 fica criptograficamente vinculada ao seu ID de perfil do Bisq 2.\nNo entanto, a exposição é limitada ao 'nó ponte do Bisq 1', que é operado por um contribuidor do Bisq que estabeleceu um vínculo BSQ (função vinculada).\n\nA testemunha de idade da conta assinada é uma alternativa para aqueles que não querem usar BSQ queimado ou vínculos BSQ devido ao ônus financeiro. A 'testemunha de idade da conta assinada' deve ter pelo menos 61 dias para ser considerada para reputação.", + "user.bondedRoles.type.RELEASE_MANAGER.how.inline" to "um gerente de lançamento", + "user.bondedRoles.table.columns.oracleNode" to "Nó oráculo", + "reputation.accountAge.import.step2.title" to "Passo 2", + "user.bondedRoles.type.MODERATOR.about.info" to "Usuários do chat podem reportar violações das regras de chat ou negociação ao moderador.\nCaso as informações fornecidas sejam suficientes para verificar uma violação de regra, o moderador pode banir esse usuário da rede.\nEm caso de violações graves de um vendedor que tenha obtido algum tipo de reputação, a reputação se torna invalidada e os dados relevantes da fonte (como a transação DAO ou dados de idade da conta) serão colocados na lista negra no Bisq 2 e reportados de volta ao Bisq 1 pelo operador do oráculo e o usuário também será banido no Bisq 1.", + "reputation.source.PROFILE_AGE" to "Idade do perfil", + "reputation.bond.howTo" to "1. Selecione o perfil do usuário para o qual você deseja anexar a Reputação.\n2. Copie o 'ID do perfil'\n3. Abra o Bisq 1 e vá para 'DAO/VINCULAÇÃO/REPUTAÇÃO VINCULADA' e cole o valor copiado no campo 'sal'.\n4. Insira a quantidade de BSQ que você deseja vincular e o tempo de bloqueio (50.000 blocos).\n5. Publique a transação de bloqueio.\n6. Após a confirmação da blockchain, sua Reputação se tornará visível em seu perfil.", + "reputation.table.columns.details" to "Detalhes", + "reputation.details.table.columns.score" to "Pontuação", + "reputation.bond.infoHeadline" to "Compromisso com o jogo", + "user.bondedRoles.registration.node.showKeyPair" to "Mostrar par de chaves", + "user.bondedRoles.table.columns.userProfile.defaultNode" to "Operador de nó com chave fornecida estaticamente", + "reputation.signedWitness.import.step1.title" to "Passo 1", + "user.bondedRoles.type.MODERATOR.how.inline" to "um moderador", + "user.bondedRoles.cancellation.requestCancellation" to "Solicitar cancelamento", + "user.bondedRoles.verification.howTo.nodes" to "Como verificar um nó de rede?", + "user.bondedRoles.registration.how.info" to "1. Selecione o perfil de usuário que deseja usar para o registro e crie um backup do seu diretório de dados.\n3. Faça uma proposta em 'https://github.com/bisq-network/proposals' para se tornar {0} e adicione seu ID de perfil à proposta.\n4. Após sua proposta ser revisada e receber apoio da comunidade, faça uma proposta DAO para um papel vinculado.\n5. Após sua proposta DAO ser aceita na votação DAO, bloqueie o vínculo BSQ necessário.\n6. Após a confirmação da transação do seu vínculo, vá para 'DAO/Bonding/Bonded roles' no Bisq 1 e clique no botão de assinatura para abrir a janela de assinatura.\n7. Copie o ID do perfil e cole no campo de mensagem. Clique em assinar e copie a assinatura. Cole a assinatura no campo de assinatura do Bisq 2.\n8. Insira o nome de usuário do detentor do vínculo.\n{1}", + "reputation.accountAge.score.headline" to "Impacto na pontuação de reputação", + "user.bondedRoles.table.columns.userProfile" to "Perfil do usuário", + "reputation.accountAge.import.step1.title" to "Passo 1", + "reputation.signedWitness.import.step3.title" to "Passo 3", + "user.bondedRoles.registration.profileId" to "ID do Perfil", + "user.bondedRoles.type.ARBITRATOR" to "Árbitro", + "user.bondedRoles.type.ORACLE_NODE.how.inline" to "um operador de nó oráculo", + "reputation.pubKeyHash" to "ID do Perfil", + "reputation.reputationScore.sellerReputation" to "A Reputação de um vendedor é o melhor sinal\nto prever a probabilidade de uma negociação bem-sucedida no Bisq Easy.", + "user.bondedRoles.table.columns.signature" to "Assinatura", + "user.bondedRoles.registration.node.pubKey" to "Chave pública", + "user.bondedRoles.type.EXPLORER_NODE.about.inline" to "operador de nó explorador", + "user.bondedRoles.table.columns.profileId" to "ID do Perfil", + "user.bondedRoles.type.MARKET_PRICE_NODE.about.inline" to "operador de nó de preço de mercado", + "reputation.source.BISQ1_SIGNED_ACCOUNT_AGE_WITNESS" to "Testemunha assinada", + "reputation.accountAge.import.step3.instruction1" to "3.1. - Abra a Bisq 1 e vá para 'CONTA/CONTAS DE MOEDA NACIONAL'.", + "reputation.accountAge.import.step3.instruction2" to "3.2. - Selecione a conta mais antiga e clique em 'EXPORTAR IDADE DA CONTA PARA BISQ 2'.", + "reputation.accountAge.import.step3.instruction3" to "3.3. - Isso criará dados json com a assinatura do seu ID de Perfil da Bisq 2 e o copiará para a área de transferência.", + "user.bondedRoles.table.columns.node.address.popup.headline" to "Dados de endereço do nó", + "reputation.reputationScore.explanation.score.description" to "Esta é a pontuação total que um vendedor acumulou até agora.\nA pontuação pode ser aumentada de várias maneiras. A melhor forma de fazer isso é queimando ou vinculando BSQ. Isso significa que o vendedor colocou uma garantia antecipadamente e, como resultado, pode ser considerado confiável.\nLeitura adicional sobre como aumentar a pontuação pode ser encontrada na seção 'Construir reputação'.\nÉ recomendado negociar com vendedores que tenham a maior pontuação.", + "reputation.details.table.columns.source" to "Tipo", + "reputation.sim.burnAmount" to "Quantidade de BSQ", + "reputation.buildReputation.burnBsq.description" to "Esta é a forma mais forte de Reputação.\nA Pontuação obtida ao queimar BSQ dobra durante o primeiro ano.", + "user.bondedRoles.registration.failed" to "O envio do pedido de registro falhou.\n\n{0}", + "user.bondedRoles.type.ORACLE_NODE" to "Nó oráculo", + "user.bondedRoles.table.headline.nodes" to "Nós da rede registrados", + "user.bondedRoles.headline.nodes" to "Nós da rede", + "user.bondedRoles.registration.bondHolderName.prompt" to "Insira o nome de usuário do detentor do vínculo do Bisq 1", + "reputation.burnedBsq.info2" to "Isso será determinado pela concorrência entre os vendedores. Os vendedores com a maior Pontuação de Reputação terão melhores oportunidades de negociação e poderão obter um prêmio de preço mais alto. As melhores ofertas classificadas pela reputação serão promovidas na seleção de ofertas no 'Assistente de Negociação'.", + "reputation.reputationScore.explanation.ranking.title" to "Classificação", + "reputation.sim.headline" to "Ferramenta de simulação:", + "reputation.accountAge.totalScore" to "Idade da conta em dias * peso", + "user.bondedRoles.table.columns.node" to "Nó", + "user.bondedRoles.verification.howTo.roles" to "Como verificar um papel vinculado?", + "reputation.signedWitness.import.step2.profileId" to "ID de perfil (Cole na tela de conta na Bisq 1)", + "reputation.bond.totalScore" to "Quantidade de BSQ * peso * (1 + idade / 365)", + "user.bondedRoles.type.ORACLE_NODE.about.inline" to "operador de nó oráculo", + "reputation.table.columns.userProfile" to "Perfil do usuário", + "user.bondedRoles.registration.signature" to "Assinatura", + "reputation.table.columns.livenessState" to "Última atividade do usuário", + "user.bondedRoles.table.headline.roles" to "Papéis vinculados registrados", + "reputation.signedWitness.import.step4.title" to "Passo 4", + "user.bondedRoles.type.EXPLORER_NODE" to "Nó explorador", + "user.bondedRoles.type.MEDIATOR.about.inline" to "mediador", + "user.bondedRoles.type.EXPLORER_NODE.how.inline" to "um operador de nó explorador", + "user.bondedRoles.registration.success" to "Pedido de registro foi enviado com sucesso. Você verá na tabela abaixo se o registro foi verificado com sucesso e publicado pelo nó oráculo.", + "reputation.signedWitness.infoHeadline2" to "Implicações de privacidade", + "user.bondedRoles.type.SEED_NODE.how.inline" to "um operador de nó semente", + "reputation.buildReputation.headline" to "Construir Reputação", + "reputation.reputationScore.headline" to "Pontuação de reputação", + "user.bondedRoles.registration.node.importAddress" to "Importar endereço do nó", + "user.bondedRoles.registration.how.info.role" to "9. Clique no botão 'Solicitar registro'. Se tudo estiver correto, seu registro se tornará visível na tabela de Papéis vinculados registrados.", + "user.bondedRoles.table.columns.bondUserName" to "Nome de usuário do vínculo", + ), + "chat" to mapOf( + "chat.message.wasEdited" to "(editado)", + "support.support.description" to "Canal para Suporte", + "chat.sideBar.userProfile.headline" to "Perfil do usuário", + "chat.message.reactionPopup" to "reagiu com", + "chat.listView.scrollDown" to "Rolar para baixo", + "chat.message.privateMessage" to "Enviar mensagem privada", + "chat.notifications.offerTaken.message" to "ID da Negociação: {0}", + "discussion.bisq.description" to "Canal público para discussões", + "chat.reportToModerator.info" to "Por favor, familiarize-se com as regras de negociação e certifique-se de que o motivo da denúncia é considerado uma violação dessas regras.\nVocê pode ler as regras de negociação e as regras do chat ao clicar no ícone de ponto de interrogação no canto superior direito nas telas de chat.", + "chat.notificationsSettingsMenu.all" to "Todas as mensagens", + "chat.message.deliveryState.ADDED_TO_MAILBOX" to "Mensagem adicionada à caixa de correio do par", + "chat.channelDomain.SUPPORT" to "Suporte", + "chat.sideBar.userProfile.ignore" to "Ignorar", + "chat.sideBar.channelInfo.notifications.off" to "Desligado", + "support.support.title" to "Assistência", + "discussion.bitcoin.title" to "Bitcoin", + "chat.ignoreUser.warn" to "Selecionar 'Ignorar usuário' efetivamente ocultará todas as mensagens deste usuário.\n\nEsta ação terá efeito na próxima vez que você entrar no chat.\n\nPara reverter isso, vá para o menu de opções adicionais > Informações do canal > Participantes e selecione 'Desfazer ignorar' ao lado do usuário.", + "events.meetups.description" to "Canal para anúncios de encontros", + "chat.message.deliveryState.FAILED" to "Envio da mensagem falhou.", + "chat.sideBar.channelInfo.notifications.all" to "Todas as mensagens", + "discussion.bitcoin.description" to "Canal para discussões sobre Bitcoin", + "chat.message.input.prompt" to "Digite uma nova mensagem", + "chat.channelDomain.BISQ_EASY_OFFERBOOK" to "Bisq Easy", + "chat.message.takeOffer.buyer.makersReputationScoreTooLow.no" to "Não, procuro outra oferta", + "chat.ellipsisMenu.tradeGuide" to "Guia de negociação", + "chat.chatRules.content" to "- Seja respeitoso: Trate os outros com gentileza, evite linguagem ofensiva, ataques pessoais e assédio.- Seja tolerante: Mantenha a mente aberta e aceite que outros podem ter diferentes visões, origens culturais e experiências.- Sem spam: Evite inundar o chat com mensagens repetitivas ou irrelevantes.- Sem publicidade: Evite promover produtos comerciais, serviços ou postar links promocionais.- Sem trolling: Comportamentos disruptivos e provocações intencionais não são bem-vindos.- Sem personificação: Não use apelidos que enganem os outros a pensar que você é uma pessoa conhecida.- Respeite a privacidade: Proteja sua privacidade e a dos outros; não compartilhe detalhes de negociações.- Denuncie má conduta: Reporte violações de regras ou comportamentos inapropriados ao moderador.- Aproveite o chat: Participe de discussões significativas, faça amigos e divirta-se em uma comunidade amigável e inclusiva.\n\nAo participar do chat, você concorda em seguir estas regras.\nViolações graves das regras podem levar a um banimento da rede Bisq.", + "chat.messagebox.noChats.placeholder.description" to "Junte-se à discussão em {0} para compartilhar seus pensamentos e fazer perguntas.", + "chat.channelDomain.BISQ_EASY_OPEN_TRADES" to "Negociação Bisq Easy", + "chat.message.deliveryState.MAILBOX_MSG_RECEIVED" to "Par baixou mensagem da caixa de correio", + "chat.message.takeOffer.buyer.makersReputationScoreTooLow.warning" to "A Pontuação de Reputação do vendedor de {0} está abaixo da Pontuação requerida de {1} para um valor de negociação de {2}.\n\nO modelo de segurança do Bisq Easy depende da reputação do vendedor, pois o comprador precisa Enviar a moeda fiduciária primeiro. Se você optar por prosseguir com a aceitação da oferta, apesar da falta de reputação, certifique-se de entender completamente os riscos envolvidos.\n\nPara saber mais sobre o sistema de reputação, visite: [HYPERLINK:https://bisq.wiki/Reputação].\n\nVocê deseja continuar e aceitar essa oferta?", + "chat.message.input.send" to "Enviar mensagem", + "chat.message.send.offerOnly.warn" to "Você selecionou a opção 'Apenas ofertas'. Mensagens de texto normais não serão exibidas neste modo.\n\nDeseja mudar o modo para ver todas as mensagens?", + "chat.notificationsSettingsMenu.title" to "Opções de notificação:", + "chat.notificationsSettingsMenu.globalDefault" to "Usar padrão", + "chat.privateChannel.message.leave" to "{0} saiu desse chat", + "chat.channelDomain.BISQ_EASY_PRIVATE_CHAT" to "Bisq Easy", + "chat.sideBar.userProfile.profileAge" to "Idade do perfil", + "events.tradeEvents.description" to "Canal para anúncios de eventos de comércio", + "chat.sideBar.userProfile.mention" to "Mencionar", + "chat.notificationsSettingsMenu.off" to "Desligado", + "chat.private.leaveChat.confirmation" to "Tem certeza de que deseja sair deste chat?\nVocê perderá o acesso ao chat e todas as informações do chat.", + "chat.reportToModerator.message.prompt" to "Insira mensagem para o moderador", + "chat.message.resendMessage" to "Clique para reenviar a mensagem.", + "chat.reportToModerator.headline" to "Reportar ao moderador", + "chat.sideBar.userProfile.livenessState" to "Última atividade do usuário", + "chat.privateChannel.changeUserProfile.warn" to "Você está em um canal de chat privado que foi criado com o perfil de usuário ''{0}''.\n\nNão é possível mudar o perfil de usuário enquanto estiver neste canal de chat.", + "chat.message.contextMenu.ignoreUser" to "Ignorar usuário", + "chat.message.contextMenu.reportUser" to "Reportar usuário ao moderador", + "chat.leave.info" to "Você está prestes a sair deste chat.", + "chat.messagebox.noChats.placeholder.title" to "Inicie a conversa!", + "support.questions.description" to "Canal para perguntas gerais", + "chat.message.deliveryState.CONNECTING" to "Conectando ao par", + "chat.message.takeOffer.buyer.makersReputationScoreTooLow.yes" to "Sim, eu entendo o risco e quero continuar", + "discussion.markets.title" to "Mercados", + "chat.notificationsSettingsMenu.tooltip" to "Opções de Notificação", + "chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.warning" to "A Pontuação de Reputação do vendedor é {0}, que está abaixo da pontuação necessária de {1} para um valor de negociação de {2}.\n\nComo o valor da negociação é relativamente baixo, os requisitos de reputação foram flexibilizados. No entanto, se você optar por prosseguir apesar da reputação insuficiente do vendedor, certifique-se de entender completamente os riscos associados. O modelo de segurança do Bisq Easy depende da reputação do vendedor, já que o comprador deve Enviar a moeda fiduciária primeiro.\n\nPara saber mais sobre o sistema de reputação, visite: [HYPERLINK:https://bisq.wiki/Reputação].\n\nVocê ainda deseja aceitar a oferta?", + "chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.yes" to "Sim, eu entendo o risco e quero continuar", + "chat.message.supportedLanguages" to "Idiomas suportados:", + "chat.sideBar.userProfile.totalReputationScore" to "Pontuação total de reputação", + "chat.topMenu.chatRules.tooltip" to "Abrir regras do chat", + "support.reports.description" to "Canal para relatórios de fraude", + "events.podcasts.title" to "Podcasts", + "chat.sideBar.userProfile.statement" to "Declaração", + "chat.sideBar.userProfile.sendPrivateMessage" to "Enviar mensagem privada", + "chat.sideBar.userProfile.undoIgnore" to "Desfazer ignorar", + "chat.channelDomain.DISCUSSION" to "Discussões", + "chat.message.delete.differentUserProfile.warn" to "Esta mensagem de chat foi criada com outro perfil de usuário.\n\nDeseja excluir a mensagem?", + "chat.message.moreOptions" to "Mais opções", + "chat.private.messagebox.noChats.title" to "{0} conversas privadas", + "chat.reportToModerator.report" to "Reportar ao moderador", + "chat.message.deliveryState.ACK_RECEIVED" to "Recebimento da mensagem reconhecido", + "events.tradeEvents.title" to "Comércio", + "discussion.bisq.title" to "Discussões", + "chat.private.messagebox.noChats.placeholder.title" to "Você não tem conversas em andamento", + "chat.sideBar.userProfile.id" to "ID do Usuário", + "chat.sideBar.userProfile.transportAddress" to "Endereço de Transporte", + "chat.sideBar.userProfile.version" to "Versão", + "chat.listView.scrollDown.newMessages" to "Rolar para baixo para ler novas mensagens", + "chat.sideBar.userProfile.nym" to "ID do Bot", + "chat.message.takeOffer.seller.myReputationScoreTooLow.warning" to "Sua Pontuação de Reputação é {0} e está abaixo da Pontuação de Reputação necessária de {1} para o valor da negociação de {2}.\n\nO modelo de segurança do Bisq Easy é baseado na reputação do vendedor.\nPara saber mais sobre o sistema de reputação, visite: [HYPERLINK:https://bisq.wiki/Reputação].\n\nVocê pode ler mais sobre como aumentar sua reputação em ''Reputação/Aumentar Reputação''.", + "chat.private.messagebox.noChats.placeholder.description" to "Para conversar com um par privadamente, passe o mouse sobre a mensagem deles em um\nchat público e clique em 'Enviar mensagem privada'.", + "chat.message.takeOffer.seller.myReputationScoreTooLow.headline" to "Sua Pontuação de Reputação é muito baixa para aceitar essa oferta", + "chat.sideBar.channelInfo.participants" to "Participantes", + "events.podcasts.description" to "Canal para anúncios de podcasts", + "chat.message.deliveryState.SENT" to "Mensagem enviada (recebimento não confirmado ainda)", + "chat.message.offer.offerAlreadyTaken.warn" to "Você já aceitou essa oferta.", + "chat.message.supportedLanguages.Tooltip" to "Idiomas suportados", + "chat.ellipsisMenu.channelInfo" to "Informações do canal", + "discussion.markets.description" to "Canal para discussões sobre mercados e preços", + "chat.topMenu.tradeGuide.tooltip" to "Abrir guia de negociação", + "chat.sideBar.channelInfo.notifications.mention" to "Se mencionado", + "chat.message.send.differentUserProfile.warn" to "Você usou outro perfil de usuário neste canal.\n\nTem certeza que deseja enviar essa mensagem com o perfil de usuário selecionado atualmente?", + "events.meetups.title" to "Encontros", + "chat.message.citation.headline" to "Respondendo a:", + "chat.notifications.offerTaken.title" to "Sua oferta foi aceita por {0}", + "chat.message.takeOffer.buyer.makersReputationScoreTooLow.headline" to "Aviso de segurança", + "chat.ignoreUser.confirm" to "Ignorar usuário", + "chat.chatRules.headline" to "Regras do Chat", + "discussion.offTopic.description" to "Canal para conversas fora do tópico", + "chat.leave.confirmLeaveChat" to "Sair do chat", + "chat.sideBar.channelInfo.notifications.globalDefault" to "Usar padrão", + "support.reports.title" to "Relatório de fraude", + "chat.message.reply" to "Responder", + "support.questions.title" to "Perguntas", + "chat.sideBar.channelInfo.notification.options" to "Opções de notificação", + "chat.reportToModerator.message" to "Mensagem para o moderador", + "chat.sideBar.userProfile.terms" to "Termos de negociação", + "chat.leave" to "Clique aqui para sair", + "chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.headline" to "Por favor, revise os riscos ao aceitar essa oferta", + "events.conferences.description" to "Canal para anúncios de conferências", + "discussion.offTopic.title" to "Fora do tópico", + "chat.ellipsisMenu.chatRules" to "Regras do chat", + "chat.notificationsSettingsMenu.mention" to "Se mencionado", + "events.conferences.title" to "Conferências", + "chat.ellipsisMenu.tooltip" to "Mais opções", + "chat.private.openChatsList.headline" to "Contatos de chat", + "chat.notifications.privateMessage.headline" to "Mensagem privada", + "chat.channelDomain.EVENTS" to "Eventos", + "chat.sideBar.userProfile.report" to "Reportar ao moderador", + "chat.message.deliveryState.TRY_ADD_TO_MAILBOX" to "Tentando adicionar mensagem à caixa de entrada do par.", + "chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.no" to "Não, estou procurando outra oferta", + "chat.private.title" to "Chats privados", + ), + "support" to mapOf( + "support.resources.guides.headline" to "Guias", + "support.resources.resources.community" to "Comunidade Bisq no Matrix", + "support.resources.backup.headline" to "Backup", + "support.resources.backup.setLocationButton" to "Definir localização do backup", + "support.resources.resources.contribute" to "Como contribuir para o Bisq", + "support.resources.backup.location.prompt" to "Definir localização do backup", + "support.resources.legal.license" to "Licença do software (AGPLv3)", + "support.resources" to "Recursos", + "support.resources.backup.backupButton" to "Backup do diretório de dados do Bisq", + "support.resources.backup.destinationNotExist" to "Destino de backup ''{0}'' não existe", + "support.resources.backup.selectLocation" to "Selecionar localização do backup", + "support.resources.backup.location.invalid" to "Caminho de localização do backup é inválido", + "support.resources.legal.headline" to "Legal", + "support.resources.resources.webpage" to "Página do Bisq", + "support.resources.guides.chatRules" to "Abrir regras do chat", + "support.resources.backup.location" to "Localização do Backup", + "support.resources.localData.openTorLogFile" to "Abrir arquivo 'debug.log' do Tor", + "support.resources.legal.tac" to "Abrir acordo do usuário", + "support.resources.localData.headline" to "Dados Locais", + "support.resources.backup.success" to "Backup salvo com sucesso em:\n{0}", + "support.resources.backup.location.help" to "Backup não está criptografado", + "support.resources.localData.openDataDir" to "Abrir diretório de dados do Bisq", + "support.resources.resources.dao" to "Sobre o DAO do Bisq", + "support.resources.resources.sourceCode" to "Repositório de código fonte no GitHub", + "support.resources.resources.headline" to "Recursos Web", + "support.resources.localData.openLogFile" to "Abrir arquivo 'bisq.log'", + "support.resources.guides.tradeGuide" to "Abrir guia de comércio", + "support.resources.guides.walletGuide" to "Abrir guia de carteira", + "support.assistance" to "Assistência", + ), + "user" to mapOf( + "user.password.savePassword.success" to "Proteção por senha ativada.", + "user.bondedRoles.userProfile.select.invalid" to "Por favor, escolha um perfil de usuário da lista", + "user.paymentAccounts.noAccounts.whySetup" to "Por que é útil configurar uma conta?", + "user.paymentAccounts.deleteAccount" to "Excluir conta de pagamento", + "user.userProfile.terms.tooLong" to "Os termos de negociação não devem ser mais longos do que {0} caracteres", + "user.password.enterPassword" to "Digite a senha (mín. 8 caracteres)", + "user.userProfile.statement.tooLong" to "A declaração não deve ser mais longa do que {0} caracteres", + "user.paymentAccounts.createAccount.subtitle" to "A conta de pagamento é armazenada apenas localmente no seu computador e só é enviada ao seu par de negociação se você decidir fazer isso.", + "user.password.confirmPassword" to "Confirmar senha", + "user.userProfile.popup.noSelectedProfile" to "Por favor, escolha um perfil de usuário da lista", + "user.userProfile.statement.prompt" to "Inserir declaração opcional", + "user.userProfile.comboBox.description" to "Perfil do usuário", + "user.userProfile.save.popup.noChangesToBeSaved" to "Não há novas alterações a serem salvas", + "user.userProfile.livenessState" to "Última atividade do usuário: {0} atrás", + "user.userProfile.statement" to "Declaração", + "user.paymentAccounts.accountData" to "Informações da conta de pagamento", + "user.paymentAccounts.createAccount" to "Criar nova conta de pagamento", + "user.paymentAccounts.noAccounts.whySetup.info" to "Ao vender Bitcoin, você precisa fornecer os detalhes da sua conta de pagamento ao comprador para receber o pagamento em fiat. Configurar contas antecipadamente permite acesso rápido e conveniente a essas informações durante a negociação.", + "user.userProfile.deleteProfile" to "Excluir perfil", + "user.userProfile.reputation" to "Reputação", + "user.userProfile.learnMore" to "Por que criar um novo perfil?", + "user.userProfile.terms" to "Termos de negociação", + "user.userProfile.deleteProfile.popup.warning" to "Você realmente deseja excluir {0}? Você não pode desfazer esta operação.", + "user.paymentAccounts.createAccount.sameName" to "Este nome de conta já está em uso. Por favor, use um nome diferente.", + "user.userProfile" to "Perfil do usuário", + "user.password" to "Senha", + "user.userProfile.nymId" to "ID do Bot", + "user.paymentAccounts" to "Contas de pagamento", + "user.paymentAccounts.createAccount.accountData.prompt" to "Insira as informações da conta de pagamento (por exemplo, dados bancários) que você deseja compartilhar com um possível comprador de Bitcoin, para que ele possa transferir o valor em moeda nacional.", + "user.paymentAccounts.headline" to "Suas contas de pagamento", + "user.userProfile.addressByTransport.I2P" to "Endereço I2P: {0}", + "user.userProfile.livenessState.description" to "Última atividade do usuário", + "user.paymentAccounts.selectAccount" to "Selecionar conta de pagamento", + "user.userProfile.new.statement" to "Declaração", + "user.userProfile.terms.prompt" to "Inserir termos de negociação opcionais", + "user.password.headline.removePassword" to "Remover proteção por senha", + "user.bondedRoles.userProfile.select" to "Selecionar perfil do usuário", + "user.userProfile.userName.banned" to "[Banido] {0}", + "user.paymentAccounts.createAccount.accountName" to "Nome da conta de pagamento", + "user.userProfile.new.terms" to "Seus termos de comércio", + "user.paymentAccounts.noAccounts.info" to "Você ainda não configurou nenhuma conta.", + "user.paymentAccounts.noAccounts.whySetup.note" to "Informação adicional:\nSeus dados de conta são armazenados exclusivamente localmente no seu computador e são compartilhados com seu parceiro de negociação apenas quando você decide compartilhá-los.", + "user.userProfile.profileAge.tooltip" to "A 'Idade do Perfil' é a idade em dias desse perfil de usuário.", + "user.userProfile.deleteProfile.popup.warning.yes" to "Sim, excluir perfil", + "user.userProfile.version" to "Versão: {0}", + "user.userProfile.profileAge" to "Idade do Perfil", + "user.userProfile.tooltip" to "Apelido: {0}\nID do Bot: {1}\nID do Perfil: {2}\n{3}", + "user.userProfile.new.step2.subTitle" to "Você pode opcionalmente adicionar uma declaração personalizada ao seu perfil e definir seus termos de comércio.", + "user.paymentAccounts.createAccount.accountName.prompt" to "Defina um nome único para sua conta de pagamento", + "user.userProfile.addressByTransport.CLEAR" to "Endereço de rede limpo: {0}", + "user.password.headline.setPassword" to "Definir proteção por senha", + "user.password.button.removePassword" to "Remover senha", + "user.password.removePassword.failed" to "Senha inválida.", + "user.userProfile.livenessState.tooltip" to "O tempo decorrido desde que o perfil do usuário foi republicado na rede, acionado por atividades do usuário, como movimentos do mouse.", + "user.userProfile.tooltip.banned" to "Este perfil está banido!", + "user.userProfile.addressByTransport.TOR" to "Endereço Tor: {0}", + "user.userProfile.new.step2.headline" to "Complete seu perfil", + "user.password.removePassword.success" to "Proteção por senha removida.", + "user.userProfile.livenessState.ageDisplay" to "{0} atrás", + "user.userProfile.createNewProfile" to "Criar novo perfil", + "user.userProfile.new.terms.prompt" to "Definir termos de comércio (opcional)", + "user.userProfile.profileId" to "ID do Perfil", + "user.userProfile.deleteProfile.cannotDelete" to "Não é permitido excluir o perfil do usuário\n\nPara excluir este perfil, primeiro:\n- Excluir todas as mensagens postadas com este perfil\n- Fechar todos os canais privados para este perfil\n- Certifique-se de ter pelo menos mais um perfil", + "user.paymentAccounts.noAccounts.headline" to "Suas contas de pagamento", + "user.paymentAccounts.createAccount.headline" to "Adicionar nova conta de pagamento", + "user.userProfile.nymId.tooltip" to "O 'ID do Bot' é gerado a partir do hash da chave pública da identidade\ndesse perfil de usuário.\nÉ adicionado ao apelido em caso de haver vários perfis de usuário na rede\ncom o mesmo apelido para distinguir claramente entre esses perfis.", + "user.userProfile.new.statement.prompt" to "Adicionar declaração (opcional)", + "user.password.button.savePassword" to "Salvar senha", + "user.userProfile.profileId.tooltip" to "O 'ID do Perfil' é o hash da chave pública da identidade do perfil do usuário\ncodificado como string hexadecimal.", + ), + "network" to mapOf( + "network.version.localVersion.headline" to "Informações da versão local", + "network.nodes.header.numConnections" to "Número de Conexões", + "network.transport.traffic.sent.details" to "Dados enviados: {0}\nTempo para envio da mensagem: {1}\nNúmero de mensagens: {2}\nNúmero de mensagens por nome da classe: {3}\nNúmero de dados distribuídos por nome da classe: {4}", + "network.nodes.type.active" to "Nó do Usuário (ativo)", + "network.connections.outbound" to "Saída", + "network.transport.systemLoad.details" to "Tamanho dos dados de rede persistidos: {0}\nCarga atual da rede: {1}\nCarga média da rede: {2}", + "network.transport.headline.CLEAR" to "Rede clara", + "network.nodeInfo.myAddress" to "Meu endereço padrão", + "network.version.versionDistribution.version" to "Versão {0}", + "network.transport.headline.I2P" to "I2P", + "network.version.versionDistribution.tooltipLine" to "{0} perfis de usuários com a versão ''{1}''", + "network.transport.pow.details" to "Tempo total gasto: {0}\nTempo médio por mensagem: {1}\nNúmero de mensagens: {2}", + "network.nodes.header.type" to "Tipo", + "network.transport.pow.headline" to "Prova de trabalho", + "network.header.nodeTag" to "Tag de identidade", + "network.nodes.title" to "Meus nós", + "network.connections.ioData" to "{0} / {1} Mensagens", + "network.connections.title" to "Conexões", + "network.connections.header.peer" to "Par", + "network.nodes.header.keyId" to "ID da Chave", + "network.version.localVersion.details" to "Versão Bisq: v{0}\nHash de commit: {1}\nVersão Tor: v{2}", + "network.nodes.header.address" to "Endereço do servidor", + "network.connections.seed" to "Nó seed", + "network.p2pNetwork" to "Rede P2P", + "network.transport.traffic.received.details" to "Dados recebidos: {0}\nTempo para desserialização da mensagem: {1}\nNúmero de mensagens: {2}\nNúmero de mensagens por nome da classe: {3}\nNúmero de dados distribuídos por nome da classe: {4}", + "network.nodes" to "Nós de infraestrutura", + "network.connections.inbound" to "Entrada", + "network.header.nodeTag.tooltip" to "Tag de identidade: {0}", + "network.version.versionDistribution.oldVersions" to "2.0.4 (ou abaixo)", + "network.nodes.type.retired" to "Nó do Usuário (aposentado)", + "network.transport.traffic.sent.headline" to "Tráfego de saída da última hora", + "network.roles" to "Papéis vinculados", + "network.connections.header.sentHeader" to "Enviado", + "network.connections.header.receivedHeader" to "Recebido", + "network.nodes.type.default" to "Nó de Fofoca", + "network.version.headline" to "Distribuição de versão", + "network.myNetworkNode" to "Meu nó de rede", + "network.transport.headline.TOR" to "Tor", + "network.connections.header.connectionDirection" to "Entrada/Saída", + "network.transport.traffic.received.headline" to "Tráfego de entrada da última hora", + "network.transport.systemLoad.headline" to "Carga do sistema", + "network.connections.header.rtt" to "RTT", + "network.connections.header.address" to "Endereço", + ), + "settings" to mapOf( + "settings.language.supported.select" to "Selecionar idioma", + "settings.network.difficultyAdjustmentFactor.ignoreValueFromSecManager" to "Ignorar valor fornecido pelo Gerenciador de Segurança do Bisq", + "settings.notification.option.off" to "Desligado", + "settings.network.difficultyAdjustmentFactor.description.self" to "Fator de ajuste de dificuldade PoW personalizado", + "settings.backup.totalMaxBackupSizeInMB.info.tooltip" to "Dados importantes são automaticamente salvos no diretório de dados sempre que atualizações são feitas,\nseguindo esta estratégia de retenção:\n - Última Hora: Manter no máximo um backup por minuto.\n - Último Dia: Manter um backup por hora.\n - Última Semana: Manter um backup por dia.\n - Último Mês: Manter um backup por semana.\n - Último Ano: Manter um backup por mês.\n - Anos Anteriores: Manter um backup por ano.\n\nPor favor, note que este mecanismo de backup não protege contra falhas de disco rígido.\nPara melhor proteção, recomendamos fortemente a criação de backups manuais em um disco rígido alternativo.", + "settings.notification.option.all" to "Todas as mensagens de chat", + "settings.display" to "Exibição", + "settings.trade" to "Oferta e negociação", + "settings.trade.maxTradePriceDeviation" to "Tolerância máxima do preço de negociação", + "settings.backup.totalMaxBackupSizeInMB.description" to "Tamanho máximo em MB para backups automáticos", + "settings.language.supported.headline" to "Adicione seus idiomas suportados", + "settings.misc" to "Diversos", + "settings.trade.headline" to "Configurações de Oferta e Comércio", + "settings.trade.maxTradePriceDeviation.invalid" to "Deve ser um valor entre 1 e {0}%", + "settings.backup.totalMaxBackupSizeInMB.invalid" to "Deve ser um valor entre {0} MB e {1} MB", + "settings.language.supported.addButton.tooltip" to "Adicionar idioma selecionado à lista", + "settings.language.supported.subHeadLine" to "Idiomas nos quais você é fluente", + "settings.display.useAnimations" to "Usar animações", + "settings.notification.notifyForPreRelease" to "Notificar sobre atualizações de software pré-lançamento", + "settings.language.select.invalid" to "Por favor, escolha um idioma da lista", + "settings.notification.options" to "Opções de Notificação", + "settings.notification.useTransientNotifications" to "Usar notificações transitórias", + "settings.language.headline" to "Seleção de Idioma", + "settings.language.supported.invalid" to "Por favor, escolha um idioma da lista", + "settings.language.restart" to "Para aplicar o novo idioma, você precisa reiniciar o aplicativo", + "settings.backup.headline" to "Configurações de Backup", + "settings.notification.option.mention" to "Se mencionado", + "settings.notification.clearNotifications" to "Limpar notificações", + "settings.display.preventStandbyMode" to "Prevenir modo de espera", + "settings.notifications" to "Notificações", + "settings.network.headline" to "Configurações de rede", + "settings.language.supported.list.subHeadLine" to "Fluente em:", + "settings.trade.closeMyOfferWhenTaken" to "Fechar minha oferta quando aceita", + "settings.display.resetDontShowAgain" to "Resetar todas as flags 'Não mostrar novamente'", + "settings.language.select" to "Selecionar idioma", + "settings.network.difficultyAdjustmentFactor.description.fromSecManager" to "Fator de ajuste de dificuldade PoW pelo Gerenciador de Segurança do Bisq", + "settings.language" to "Idioma", + "settings.display.headline" to "Configurações de Exibição", + "settings.network.difficultyAdjustmentFactor.invalid" to "Deve ser um número entre 0 e {0}", + "settings.trade.maxTradePriceDeviation.help" to "A diferença máxima de preço de negociação que um ofertante tolera quando sua oferta é aceita.", + ), + "payment_method" to mapOf( + "F2F_SHORT" to "F2F", + "LN" to "BTC pela Rede Lightning", + "WISE_USD" to "Wise-USD", + "DOMESTIC_WIRE_TRANSFER_SHORT" to "Wire", + "MAIN_CHAIN_SHORT" to "Onchain", + "IMPS" to "Índia/IMPS", + "PAYTM" to "India/PayTM", + "RTGS" to "Índia/RTGS", + "MONESE" to "Monese", + "CIPS_SHORT" to "CIPS", + "MONEY_GRAM" to "MoneyGram", + "WISE" to "Wise", + "TIKKIE" to "Tikkie", + "UPI" to "Índia/UPI", + "BIZUM" to "Bizum", + "INTERAC_E_TRANSFER" to "Interac e-Transfer", + "LN_SHORT" to "Lightning", + "ALI_PAY" to "AliPay", + "NATIONAL_BANK" to "Transferência bancária nacional", + "US_POSTAL_MONEY_ORDER" to "Ordem de Pagamento Postal dos EUA", + "JAPAN_BANK" to "Furikomi do Banco do Japão", + "NATIVE_CHAIN" to "Cadeia nativa", + "FASTER_PAYMENTS" to "Faster Payments", + "ADVANCED_CASH" to "Advanced Cash", + "F2F" to "Face a face (pessoalmente)", + "SWIFT_SHORT" to "SWIFT", + "WECHAT_PAY" to "WeChat Pay", + "RBTC_SHORT" to "RSK", + "ACH_TRANSFER" to "ACH Transfer", + "CHASE_QUICK_PAY" to "Chase QuickPay", + "INTERNATIONAL_BANK_SHORT" to "Bancos internacionais", + "HAL_CASH" to "HalCash", + "WESTERN_UNION" to "Western Union", + "ZELLE" to "Zelle", + "JAPAN_BANK_SHORT" to "Furikomi Japão", + "RBTC" to "RBTC (BTC atrelado na side chain RSK)", + "SWISH" to "Swish", + "SAME_BANK" to "Transferência no mesmo banco", + "ACH_TRANSFER_SHORT" to "ACH", + "AMAZON_GIFT_CARD" to "Amazon eGift Card", + "PROMPT_PAY" to "PromptPay", + "LBTC" to "L-BTC (BTC atrelado na side chain Liquid)", + "US_POSTAL_MONEY_ORDER_SHORT" to "Ordem de Pagamento dos EUA", + "VERSE" to "Verse", + "SWIFT" to "SWIFT International Wire Transfer", + "SPECIFIC_BANKS_SHORT" to "Bancos específicos", + "WESTERN_UNION_SHORT" to "Western Union", + "DOMESTIC_WIRE_TRANSFER" to "Domestic Wire Transfer", + "INTERNATIONAL_BANK" to "Transferência bancária internacional", + "UPHOLD" to "Uphold", + "CAPITUAL" to "Capitual", + "CASH_DEPOSIT" to "Depósito em dinheiro", + "WBTC" to "WBTC (BTC encapsulado como token ERC20)", + "MONEY_GRAM_SHORT" to "MoneyGram", + "CASH_BY_MAIL" to "Dinheiro pelo correio", + "SAME_BANK_SHORT" to "Mesmo banco", + "SPECIFIC_BANKS" to "Transferências com bancos específicos", + "PAXUM" to "Paxum", + "NATIVE_CHAIN_SHORT" to "Cadeia nativa", + "WBTC_SHORT" to "WBTC", + "PERFECT_MONEY" to "Perfect Money", + "CELPAY" to "CelPay", + "STRIKE" to "Strike", + "MAIN_CHAIN" to "Bitcoin (onchain)", + "SEPA_INSTANT" to "SEPA Instant", + "CASH_APP" to "Cash App", + "POPMONEY" to "Popmoney", + "REVOLUT" to "Revolut", + "NEFT" to "Índia/NEFT", + "SATISPAY" to "Satispay", + "PAYSERA" to "Paysera", + "LBTC_SHORT" to "Liquid", + "SEPA" to "SEPA", + "NEQUI" to "Nequi", + "NATIONAL_BANK_SHORT" to "Bancos nacionais", + "CASH_BY_MAIL_SHORT" to "Correio", + "OTHER" to "Outro", + "PAY_ID" to "PayID", + "CIPS" to "Cross-Border Interbank Payment System", + "MONEY_BEAM" to "MoneyBeam (N26)", + "PIX" to "Pix", + "CASH_DEPOSIT_SHORT" to "Depósito em dinheiro", + ), + "offer" to mapOf( + "offer.priceSpecFormatter.fixPrice" to "Offer with fixed price\n{0}", + "offer.priceSpecFormatter.floatPrice.below" to "{0} below market price\n{1}", + "offer.priceSpecFormatter.floatPrice.above" to "{0} above market price\n{1}", + "offer.priceSpecFormatter.marketPrice" to "At market price\n{0}", + ), + "mobile" to mapOf( + "bootstrap.connectedToTrustedNode" to "Connected to trusted node", + ), + ) +} diff --git a/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/GeneratedResourceBundles_ru.kt b/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/GeneratedResourceBundles_ru.kt new file mode 100644 index 00000000..cfb66d0e --- /dev/null +++ b/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/GeneratedResourceBundles_ru.kt @@ -0,0 +1,1368 @@ +package network.bisq.mobile.i18n + +// Auto-generated file. Do not modify manually. +object GeneratedResourceBundles_ru { + val bundles = mapOf( + "default" to mapOf( + "action.exportAsCsv" to "Экспорт как CSV", + "action.learnMore" to "Узнать больше", + "action.save" to "Сохранить", + "component.marketPrice.provider.BISQAGGREGATE" to "Агрегатор цен Bisq", + "offer.maker" to "Производитель", + "offer.buyer" to "Покупатель", + "component.marketPrice.requesting" to "Запрос рыночной цены", + "component.standardTable.numEntries" to "Количество записей: {0}", + "offer.createOffer" to "Создать предложение", + "action.close" to "Закрыть", + "validation.tooLong" to "Вводимый текст не должен быть длиннее {0} символов", + "component.standardTable.filter.tooltip" to "Фильтр по {0}", + "temporal.age" to "Возраст", + "data.noDataAvailable" to "Нет данных", + "action.goTo" to "Перейти к {0}", + "action.next" to "Далее", + "offer.buying" to "покупка", + "offer.price.above" to "выше", + "offer.buy" to "купить", + "offer.taker" to "Взявший", + "validation.password.notMatching" to "2 введенных вами пароля не совпадают", + "action.delete" to "Удалить", + "component.marketPrice.tooltip.isStale" to "\nВНИМАНИЕ: Рыночная цена устарела!", + "action.shutDown" to "Выключить", + "component.priceInput.description" to "{0} цена", + "component.marketPrice.source.PROPAGATED_IN_NETWORK" to "Распространяется узлом оракула: {0}", + "validation.password.tooShort" to "Введенный вами пароль слишком короткий. Он должен содержать не менее 8 символов.", + "validation.invalidLightningInvoice" to "Похоже, что счет-фактура Lightning недействителен", + "action.back" to "Назад", + "offer.selling" to "продажа", + "action.editable" to "Редактируемый", + "offer.takeOffer.buy.button" to "Купить биткойн", + "validation.invalidNumber" to "Ввод не является действительным числом", + "action.search" to "Поиск", + "validation.invalid" to "Недопустимый ввод", + "component.marketPrice.source.REQUESTED_FROM_PRICE_NODE" to "Запрошено у: {0}", + "validation.invalidBitcoinAddress" to "Биткойн-адрес, по-видимому, недействителен", + "temporal.year.1" to "{0} год", + "confirmation.no" to "Нет", + "validation.invalidLightningPreimage" to "Предварительное изображение \"Молния\" кажется недействительным", + "temporal.day.1" to "{0} день", + "component.standardTable.filter.showAll" to "Показать все", + "temporal.year.*" to "{0} лет", + "data.add" to "Добавить", + "offer.takeOffer.sell.button" to "Продать биткойн", + "component.marketPrice.source.PERSISTED" to "Рыночные данные еще не получены. Используются сохраненные данные.", + "action.copyToClipboard" to "Копировать в буфер обмена", + "confirmation.yes" to "Да", + "offer.sell" to "продать", + "action.react" to "Отклик", + "temporal.day.*" to "{0} дней", + "temporal.at" to "на", + "component.standardTable.csv.plainValue" to "{0} (обычное значение)", + "offer.seller" to "Продавец", + "temporal.date" to "Дата", + "action.iUnderstand" to "Я понял", + "component.priceInput.prompt" to "Введите цену", + "confirmation.ok" to "ХОРОШО", + "action.dontShowAgain" to "Больше не показывайте", + "action.cancel" to "Отмена", + "offer.amount" to "Сумма", + "action.edit" to "Редактировать", + "offer.deleteOffer" to "Удалить мое предложение", + "data.remove" to "Удалить", + "data.false" to "Ложь", + "offer.price.below" to "ниже", + "data.na" to "N/A", + "action.expandOrCollapse" to "Нажмите, чтобы свернуть или развернуть", + "data.true" to "Правда", + "validation.invalidBitcoinTransactionId" to "Похоже, что идентификатор транзакции Bitcoin недействителен", + "component.marketPrice.tooltip" to "{0}\nОбновлено: {1} назад\nПолучено в: {2}{3}", + "validation.empty" to "Пустая строка не допускается", + "validation.invalidPercentage" to "Ввод не является допустимым процентным значением", + ), + "application" to mapOf( + "onboarding.createProfile.nickName" to "Псевдоним профиля", + "notificationPanel.mediationCases.headline.single" to "Новое сообщение для случая посредничества с торговым идентификатором ''{0}''", + "popup.reportBug" to "Сообщите об ошибке разработчикам Bisq", + "tac.reject" to "Отклонить и выйти из приложения", + "dashboard.activeUsers.tooltip" to "Профили остаются опубликованными в сети\nесли пользователь был онлайн в течение последних 15 дней.", + "popup.hyperlink.openInBrowser.tooltip" to "Открыть ссылку в браузере: {0}.", + "navigation.reputation" to "Репутация", + "navigation.settings" to "Настройки", + "updater.downloadLater" to "Скачать позже", + "splash.bootstrapState.SERVICE_PUBLISHED" to "Опубликовано {0}", + "updater.downloadAndVerify.info.isLauncherUpdate" to "После загрузки всех файлов ключ подписи сравнивается с ключами, указанными в приложении и доступными на сайте Bisq. Затем этот ключ используется для проверки загруженной новой программы установки Bisq. После завершения загрузки и проверки перейдите в каталог загрузки, чтобы установить новую версию Bisq.", + "dashboard.offersOnline" to "Предложения онлайн", + "onboarding.password.button.savePassword" to "Сохранить пароль", + "popup.headline.instruction" to "Обратите внимание:", + "updater.shutDown.isLauncherUpdate" to "Откройте каталог загрузки и выключите", + "updater.ignore" to "Игнорировать эту версию", + "navigation.dashboard" to "Приборная панель", + "onboarding.createProfile.subTitle" to "Ваш публичный профиль состоит из никнейма (выбираете вы) и иконки бота (генерируется криптографически).", + "onboarding.createProfile.headline" to "Создайте свой профиль", + "popup.headline.warning" to "Внимание", + "popup.reportBug.report" to "Версия Bisq: {0}\nОперационная система: {1}\nСообщение об ошибке:\n{2}", + "splash.bootstrapState.network.I2P" to "I2P", + "unlock.failed" to "Не удалось разблокировать с помощью указанного пароля.\n\nПопробуйте еще раз и убедитесь, что капс лок отключен.", + "popup.shutdown" to "Выключение находится в процессе.\n\nДо завершения отключения может пройти {0} секунд.", + "splash.bootstrapState.service.TOR" to "Луковая служба", + "navigation.expandIcon.tooltip" to "Развернуть меню", + "updater.downloadAndVerify.info" to "После загрузки всех файлов ключ подписи сравнивается с ключами, предоставленными в приложении, и ключами, доступными на сайте Bisq. Затем этот ключ используется для проверки загруженной новой версии ('desktop.jar').", + "popup.headline.attention" to "Внимание", + "onboarding.password.headline.setPassword" to "Установите защиту паролем", + "unlock.button" to "Разблокировать", + "splash.bootstrapState.START_PUBLISH_SERVICE" to "Начать публикацию {0}", + "onboarding.bisq2.headline" to "Добро пожаловать в Bisq 2", + "dashboard.marketPrice" to "Последняя рыночная цена", + "popup.hyperlink.copy.tooltip" to "Копировать ссылку: {0}.", + "navigation.bisqEasy" to "Bisq Легко", + "navigation.network.info.i2p" to "I2P", + "dashboard.third.button" to "Создайте репутацию", + "popup.headline.error" to "Ошибка", + "video.mp4NotSupported.warning" to "Вы можете посмотреть видео в своем браузере по ссылке: [HYPERLINK:{0}].", + "updater.downloadAndVerify.headline" to "Загрузить и проверить новую версию", + "tac.headline" to "Пользовательское соглашение", + "splash.applicationServiceState.INITIALIZE_SERVICES" to "Инициализация служб", + "onboarding.password.enterPassword" to "Введите пароль (минимум 8 символов)", + "splash.details.tooltip" to "Нажмите, чтобы просмотреть подробную информацию", + "navigation.network" to "Сеть", + "dashboard.main.content3" to "Безопасность основана на репутации продавца", + "dashboard.main.content2" to "Интерфейс для торговли, основанный на чате и руководстве пользователя", + "splash.applicationServiceState.INITIALIZE_WALLET" to "Инициализация кошелька", + "onboarding.password.subTitle" to "Установите защиту паролем сейчас или пропустите и сделайте это позже в разделе \"Параметры пользователя/Пароль\".", + "dashboard.main.content1" to "Начните торговать или просматривайте открытые предложения в книге предложений", + "navigation.vertical.collapseIcon.tooltip" to "Свернуть подменю", + "splash.bootstrapState.network.TOR" to "Tor", + "splash.bootstrapState.service.CLEAR" to "Сервер", + "splash.bootstrapState.CONNECTED_TO_PEERS" to "Связь с коллегами", + "splash.bootstrapState.service.I2P" to "Сервис I2P", + "popup.reportError.zipLogs" to "Zip-файлы журналов", + "updater.furtherInfo.isLauncherUpdate" to "Это обновление требует новой установки Bisq.\nЕсли у вас возникли проблемы при установке Bisq на macOS, ознакомьтесь с инструкциями на сайте:", + "navigation.support" to "Поддержка", + "updater.table.progress.completed" to "Завершено", + "updater.headline" to "Доступно новое обновление Bisq", + "notificationPanel.trades.button" to "Перейдите в раздел \"Открытые сделки\".", + "popup.headline.feedback" to "Завершено", + "tac.confirm" to "Я прочитал и понял", + "navigation.collapseIcon.tooltip" to "Минимизировать меню", + "updater.shutDown" to "Выключить", + "popup.headline.backgroundInfo" to "Справочная информация", + "splash.applicationServiceState.FAILED" to "Запуск не удался", + "navigation.userOptions" to "Опции пользователя", + "updater.releaseNotesHeadline" to "Примечания к выпуску для версии {0}:", + "splash.bootstrapState.BOOTSTRAP_TO_NETWORK" to "Привязка к сети {0}", + "navigation.vertical.expandIcon.tooltip" to "Развернуть подменю", + "topPanel.wallet.balance" to "Баланс", + "navigation.network.info.tooltip" to "{0} сеть\nКоличество соединений: {1}\nЦелевые соединения: {2}", + "video.mp4NotSupported.warning.headline" to "Встроенное видео не может быть воспроизведено", + "navigation.wallet" to "Кошелек", + "onboarding.createProfile.regenerate" to "Создайте новую иконку бота", + "splash.applicationServiceState.INITIALIZE_NETWORK" to "Инициализация P2P-сети", + "updater.table.progress" to "Прогресс загрузки", + "navigation.network.info.inventoryRequests.tooltip" to "Состояние запроса сетевых данных:\nКоличество ожидающих запросов: {0}\nМакс. запросы: {1}\nВсе данные получены: {2}", + "onboarding.createProfile.createProfile.busy" to "Инициализация сетевого узла...", + "dashboard.second.button" to "Изучите торговые протоколы", + "dashboard.activeUsers" to "Опубликованные профили пользователей", + "hyperlinks.openInBrowser.attention.headline" to "Открыть веб-ссылку", + "dashboard.main.headline" to "Получите свой первый BTC", + "popup.headline.invalid" to "Недопустимый ввод", + "popup.reportError.gitHub" to "Отчет в репозиторий Bisq GitHub", + "navigation.network.info.inventoryRequest.requesting" to "Запрос сетевых данных", + "popup.headline.information" to "Информация", + "navigation.network.info.clearNet" to "Чистая сеть", + "dashboard.third.headline" to "Укрепление репутации", + "tac.accept" to "Примите пользовательское соглашение", + "updater.furtherInfo" to "Это обновление будет загружено после перезагрузки и не требует новой установки.\nБолее подробную информацию можно найти на странице релиза по адресу:", + "onboarding.createProfile.nym" to "Идентификатор бота:", + "popup.shutdown.error" to "Произошла ошибка при выключении: {0}.", + "navigation.authorizedRole" to "Авторизованная роль", + "onboarding.password.confirmPassword" to "Подтвердите пароль", + "hyperlinks.openInBrowser.attention" to "Вы хотите открыть ссылку на `{0}` в веб-браузере по умолчанию?", + "onboarding.password.button.skip" to "Пропустить", + "popup.reportError.log" to "Открыть файл журнала", + "dashboard.main.button" to "Введите Bisq Easy", + "updater.download" to "Скачать и проверить", + "dashboard.third.content" to "Хотите продать биткоин на Bisq Easy? Узнайте, как работает система репутации и почему она важна.", + "hyperlinks.openInBrowser.no" to "Нет, скопируйте ссылку", + "splash.applicationServiceState.APP_INITIALIZED" to "Bisq начал", + "navigation.academy" to "Узнать", + "navigation.network.info.inventoryRequest.completed" to "Полученные сетевые данные", + "onboarding.createProfile.nickName.prompt" to "Выберите свой ник", + "popup.startup.error" to "Произошла ошибка при инициализации Bisq: {0}.", + "version.versionAndCommitHash" to "Версия: v{0} / Комментарий хэша: {1}", + "onboarding.bisq2.teaserHeadline1" to "Представляем вашему вниманию Bisq Easy", + "onboarding.bisq2.teaserHeadline3" to "Скоро будет", + "onboarding.bisq2.teaserHeadline2" to "Учитесь и открывайте", + "dashboard.second.headline" to "Несколько торговых протоколов", + "splash.applicationServiceState.INITIALIZE_APP" to "Начало Bisq", + "unlock.headline" to "Введите пароль для разблокировки", + "onboarding.password.savePassword.success" to "Защита паролем включена.", + "notificationPanel.mediationCases.button" to "Перейти к разделу 'Посредник'", + "onboarding.bisq2.line2" to "Получите легкое введение в биткойн\nс помощью наших руководств и общения в сообществе.", + "onboarding.bisq2.line3" to "Выберите способ торговли: Bisq MuSig, Молния, Подводные свопы,...", + "splash.bootstrapState.network.CLEAR" to "Чистая сеть", + "updater.headline.isLauncherUpdate" to "Доступна новая программа установки Bisq", + "notificationPanel.mediationCases.headline.multiple" to "Новые сообщения для медиации", + "onboarding.bisq2.line1" to "Получить свой первый биткоин частным образом\nеще никогда не было так просто.", + "notificationPanel.trades.headline.single" to "Новое торговое сообщение для сделки ''{0}''", + "popup.headline.confirmation" to "Подтверждение", + "onboarding.createProfile.createProfile" to "Далее", + "onboarding.createProfile.nym.generating" to "Вычисление доказательств работы...", + "hyperlinks.copiedToClipboard" to "Ссылка была скопирована в буфер обмена", + "updater.table.verified" to "Подпись проверена", + "navigation.tradeApps" to "Торговые протоколы", + "navigation.chat" to "Чат", + "dashboard.second.content" to "Ознакомьтесь с дорожной картой предстоящих торговых протоколов. Получите представление о возможностях различных протоколов.", + "navigation.network.info.tor" to "Tor", + "updater.table.file" to "Файл", + "onboarding.createProfile.nickName.tooLong" to "Длина псевдонима не должна превышать {0} символов", + "popup.reportError" to "Чтобы помочь нам улучшить программное обеспечение, пожалуйста, сообщите об этой ошибке, открыв новый вопрос по адресу: 'https://github.com/bisq-network/bisq2/issues'.\nСообщение об ошибке будет скопировано в буфер обмена, когда вы нажмете кнопку 'report' ниже.\n\nОтладка будет проще, если вы включите файлы журнала в сообщение об ошибке. Лог-файлы не содержат конфиденциальных данных.", + "notificationPanel.trades.headline.multiple" to "Новые торговые сообщения", + ), + "bisq_easy" to mapOf( + "bisqEasy.tradeState.info.seller.phase2b.tradeLogMessage" to "{0} подтвердил получение {1}", + "bisqEasy.tradeWizard.paymentMethods.warn.customPaymentMethodAlreadyExists" to "Пользовательский метод оплаты с именем {0} уже существует.", + "bisqEasy.takeOffer.amount.seller.limitInfo.lowToleratedAmount" to "Поскольку сумма сделки ниже {0}, требования к репутации ослаблены.", + "bisqEasy.onboarding.watchVideo.tooltip" to "Смотрите встроенное вводное видео", + "bisqEasy.takeOffer.paymentMethods.headline.fiat" to "Какой способ оплаты вы хотите использовать?", + "bisqEasy.walletGuide.receive" to "Получение", + "bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMin.overlay.info" to "Оценка репутации продавца {0} не обеспечивает достаточной безопасности для этого предложения.\n\nРекомендуется торговать на меньшие суммы с повторными сделками или с продавцами, имеющими более высокую репутацию. Если вы решите продолжить, несмотря на отсутствие репутации продавца, убедитесь, что вы полностью осознаете связанные риски. Модель безопасности Bisq Easy основывается на репутации продавца, так как покупатель должен сначала отправить фиатную валюту.", + "bisqEasy.offerbook.marketListCell.favourites.maxReached.popup" to "Здесь есть место только для 5 избранных. Удалите избранное и попробуйте снова.", + "bisqEasy.dashboard" to "Начало работы", + "bisqEasy.tradeWizard.amount.seller.limitInfo.noReputationNeededForMaxOrFixedAmount.overlay.info.scoreTooLow" to "Для сумм до {0} требования к репутации ослаблены.\n\nВаша оценка репутации {1} не обеспечивает достаточной безопасности для покупателей. Однако, учитывая низкую сумму, покупатели могут все же рассмотреть возможность принятия предложения, если будут осведомлены о связанных рисках.\n\nВы можете найти информацию о том, как повысить свою репутацию в разделе ''Репутация/Создание репутации''.", + "bisqEasy.price.feedback.sentence.veryGood" to "очень хорошо", + "bisqEasy.walletGuide.createWallet" to "Новый кошелек", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.description" to "Состояние подключения веб-камеры", + "bisqEasy.tradeWizard.review.sellerPaysMinerFeeLong" to "Продавец оплачивает стоимость добычи", + "bisqEasy.tradeState.info.buyer.phase2b.headline" to "Дождитесь подтверждения продавцом получения платежа", + "bisqEasy.tradeWizard.paymentMethods.bitcoin.subTitle.seller" to "Выберите методы расчетов для отправки Bitcoin", + "bisqEasy.tradeState.info.seller.phase3a.bitcoinPayment.description.LN" to "Молниеносный счет", + "bisqEasy.tradeCompleted.body.copy.explorerLink.tooltip" to "Скопировать ссылку на транзакцию в проводнике блоков", + "bisqEasy.tradeWizard.amount.headline.seller" to "Сколько вы хотите получить?", + "bisqEasy.openTrades.table.direction.buyer" to "Покупаем у:", + "bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.inSufficientScore" to "С оценкой репутации {0} безопасность, которую вы предоставляете, недостаточна для сделок свыше {1}.\n\nВы все еще можете создавать такие предложения, но покупатели будут предупреждены о потенциальных рисках при попытке принять ваше предложение.\n\nВы можете найти информацию о том, как увеличить свою репутацию в разделе ''Репутация/Создание репутации''.", + "bisqEasy.tradeWizard.paymentMethods.customMethod.prompt" to "Пользовательская оплата", + "bisqEasy.tradeState.info.phase4.leaveChannel" to "Закрыть торговлю", + "bisqEasy.tradeWizard.directionAndMarket.headline" to "Вы хотите купить или продать Биткойн с", + "bisqEasy.tradeWizard.review.chatMessage.price" to "Цена:", + "bisqEasy.tradeWizard.paymentMethods.bitcoin.subTitle.buyer" to "Выберите методы расчетов для получения Bitcoin", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.headline.LN" to "Заполните счет-фактуру Молнии", + "bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage" to "{0} инициировал перевод Bitcoin. {1}: ''{2}''", + "bisqEasy.openTrades.table.baseAmount" to "Сумма в BTC", + "bisqEasy.openTrades.tradeLogMessage.cancelled" to "{0} отменил сделку", + "bisqEasy.openTrades.inMediation.info" to "К торговому чату присоединился посредник. Пожалуйста, воспользуйтесь торговым чатом ниже, чтобы получить помощь посредника.", + "bisqEasy.onboarding.right.button" to "Открытая книга предложений", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.imageRecognized" to "Подключена веб-камера", + "bisqEasy.tradeState.info.buyer.phase2a.sellersAccount" to "Платежный счет продавца", + "bisqEasy.tradeWizard.amount.numOffers.0" to "нет предложений", + "bisqEasy.offerbook.markets.ExpandedList.Tooltip" to "Рынки краха", + "bisqEasy.openTrades.cancelTrade.warning.seller" to "Поскольку обмен реквизитами начался, отмена сделки без покупателя {0}", + "bisqEasy.tradeCompleted.body.tradePrice" to "Торговая цена", + "bisqEasy.tradeWizard.amount.numOffers.*" to "это {0} предложения", + "bisqEasy.tradeWizard.review.chatMessage.peerMessageTitle.buy" to "Купить биткойн в", + "bisqEasy.walletGuide.intro.content" to "В Bisq Easy получаемые вами биткоины поступают прямо в ваш карман без каких-либо посредников. Это большое преимущество, но оно также означает, что для его получения вам нужно иметь кошелек, которым вы управляете сами!\n\nВ этом кратком руководстве по созданию кошелька мы в несколько простых шагов покажем вам, как создать простой кошелек. С его помощью вы сможете получать и хранить только что купленные биткоины.\n\nЕсли вы уже знакомы с кошельками на цепочке и имеете такой кошелек, вы можете пропустить это руководство и просто использовать свой кошелек.", + "bisqEasy.openTrades.rejected.peer" to "Ваш торговый коллега отклонил сделку", + "bisqEasy.offerbook.offerList.table.columns.settlementMethod" to "Поселение", + "bisqEasy.topPane.closeFilter" to "Закрыть фильтр", + "bisqEasy.tradeWizard.amount.numOffers.1" to "одно предложение", + "bisqEasy.component.amount.baseSide.tooltip.btcAmount.selectedPrice" to "Это сумма биткойнов с выбранной вами ценой.", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.subHeadline" to "По вашему критерию выбора нет предложений.", + "bisqEasy.openTrades.chat.detach" to "Отсоедините", + "bisqEasy.offerbook.offerList.table.columns.price.tooltip.marketPrice" to "Рыночная цена: {0}", + "bisqEasy.openTrades.table.tradeId" to "Торговый идентификатор", + "bisqEasy.tradeWizard.market.columns.name" to "Фиатная валюта", + "bisqEasy.offerbook.offerList.table.filters.offerDirection.sellTo" to "Продать", + "bisqEasy.tradeWizard.directionAndMarket.feedback.tradeWithoutReputation" to "Продолжить без репутации", + "bisqEasy.tradeWizard.paymentMethods.noneFound" to "Для выбранного рынка не предусмотрено способов оплаты по умолчанию.\nПожалуйста, добавьте в текстовое поле ниже пользовательский способ оплаты, который вы хотите использовать.", + "bisqEasy.tradeWizard.amount.seller.wizard.limitInfo" to "С вашей оценкой репутации {0} вы можете торговать до", + "bisqEasy.price.feedback.sentence.veryLow" to "очень низкий", + "bisqEasy.tradeWizard.review.noTradeFeesLong" to "В Bisq Easy нет торговых сборов.", + "bisqEasy.tradeGuide.process.headline" to "Как происходит процесс торговли?", + "bisqEasy.mediator" to "Медиатор", + "bisqEasy.price.headline" to "Какова ваша торговая цена?", + "bisqEasy.tradeWizard.paymentMethods.warn.noFiatPaymentMethodSelected" to "Пожалуйста, выберите хотя бы один фиатный способ оплаты.", + "bisqEasy.tradeWizard.paymentMethods.fiat.subTitle.seller" to "Выберите способы оплаты для получения {0}", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.description.buyersPrice" to "Ваша цена предложения на покупку биткойна составила {0}.", + "bisqEasy.tradeState.info.buyer.phase2a.confirmFiatSent" to "Подтвердите оплату {0}", + "bisqEasy.component.amount.minRangeValue" to "Мин {0}", + "bisqEasy.offerbook.chatMessage.deleteMessage.confirmation" to "Вы уверены, что хотите удалить это сообщение?", + "bisqEasy.tradeCompleted.body.copy.txId.tooltip" to "Скопировать идентификатор транзакции в буфер обмена", + "bisqEasy.tradeWizard.amount.headline.buyer" to "Сколько вы хотите потратить?", + "bisqEasy.openTrades.closeTrade" to "Закрыть торговлю", + "bisqEasy.openTrades.table.settlementMethod.tooltip" to "Метод расчетов в биткойнах: {0}", + "bisqEasy.openTrades.csv.quoteAmount" to "Сумма в {0}", + "bisqEasy.tradeWizard.review.createOfferSuccess.headline" to "Предложение успешно опубликовано", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.all" to "Все", + "bisqEasy.tradeState.info.buyer.phase1a.tradeLogMessage.MAIN_CHAIN" to "{0} отправил Bitcoin-адрес ''{1}''.", + "bisqEasy.tradeWizard.directionAndMarket.feedback.subTitle1" to "Вы еще не установили репутацию. Для продавцов биткойнов создание репутации имеет решающее значение, поскольку покупатели обязаны сначала отправить фиатную валюту в процессе торговли, полагаясь на честность продавца.\n\nЭтот процесс создания репутации лучше всего подходит для опытных пользователей Bisq, и вы можете найти подробную информацию об этом в разделе 'Репутация'.", + "bisqEasy.tradeWizard.directionAndMarket.feedback.subTitle2" to "Хотя продавцы могут торговать без (или с недостаточной) репутацией на относительно небольшие суммы до {0}, вероятность найти торгового партнера значительно снижается. Это связано с тем, что покупатели, как правило, избегают взаимодействия с продавцами, у которых нет репутации, из-за рисков безопасности.", + "bisqEasy.tradeWizard.review.detailsHeadline.maker" to "Детали предложения", + "bisqEasy.walletGuide.download.headline" to "Загрузка вашего кошелька", + "bisqEasy.tradeWizard.selectOffer.headline.seller" to "Продать биткойн за {0}", + "bisqEasy.offerbook.marketListCell.numOffers.one" to "{0} предложение", + "bisqEasy.tradeWizard.amount.seller.wizard.limitInfo.overlay.info" to "С оценкой репутации {0} вы можете торговать до {1}.\n\nВы можете найти информацию о том, как увеличить свою репутацию в разделе ''Репутация/Создание репутации''.", + "bisqEasy.tradeState.info.seller.phase3b.balance.prompt" to "Ожидание данных блокчейна...", + "bisqEasy.takeOffer.amount.buyer.limitInfo.minAmountCovered" to "Репутация продавца {0} обеспечивает безопасность до", + "bisqEasy.tradeGuide.welcome" to "Обзор", + "bisqEasy.offerbook.markets.CollapsedList.Tooltip" to "Расширение рынков", + "bisqEasy.tradeGuide.welcome.headline" to "Как торговать на Bisq Easy", + "bisqEasy.takeOffer.amount.description" to "Предложение позволяет вам выбрать сумму сделки\nмежду {0} и {1}", + "bisqEasy.onboarding.right.headline" to "Для опытных трейдеров", + "bisqEasy.tradeState.info.buyer.phase3b.confirmButton.ln" to "Подтвердите получение", + "bisqEasy.walletGuide.download" to "Скачать", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.description.sellersPrice" to "Однако продавец предлагает вам другую цену: {0}.", + "bisqEasy.offerbook.offerList.table.filters.paymentMethods.customPayments" to "Пользовательские платежи", + "bisqEasy.offerbook.offerList.table.columns.paymentMethod" to "Оплата", + "bisqEasy.takeOffer.progress.method" to "Способ оплаты", + "bisqEasy.tradeWizard.review.direction" to "{0} Биткойн", + "bisqEasy.offerDetails.paymentMethods" to "Поддерживаемый метод(ы) оплаты", + "bisqEasy.openTrades.closeTrade.warning.interrupted" to "Перед закрытием сделки вы можете создать резервную копию данных в виде файла csv, если это необходимо.\n\nПосле закрытия сделки все данные, связанные с ней, исчезают, и вы больше не можете общаться с коллегой по сделке в торговом чате.\n\nВы хотите закрыть сделку сейчас?", + "bisqEasy.tradeState.reportToMediator" to "Доклад посреднику", + "bisqEasy.openTrades.table.price" to "Цена", + "bisqEasy.openTrades.chat.window.title" to "{0} - Чат с {1} / Торговый идентификатор: {2}", + "bisqEasy.tradeCompleted.header.paymentMethod" to "Способ оплаты", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.nameZA" to "Название Z-A", + "bisqEasy.tradeWizard.progress.review" to "Обзор", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.noReputationNeededForMaxOrFixedAmount" to "Продавцы без репутации могут принимать предложения до {0}.", + "bisqEasy.tradeWizard.review.createOfferSuccess.subTitle" to "Теперь ваше предложение занесено в книгу предложений. Когда пользователь Bisq примет ваше предложение, вы найдете новую сделку в разделе \"Открытые сделки\".\n\nНе забывайте регулярно проверять приложение Bisq на наличие новых сообщений от принявшего предложение.", + "bisqEasy.openTrades.failed.popup" to "Торговля не состоялась из-за ошибки.\nСообщение об ошибке: {0}\n\nТрассировка стека: {1}", + "bisqEasy.tradeWizard.paymentMethods.fiat.subTitle.buyer" to "Выберите способы оплаты для перевода {0}", + "bisqEasy.tradeWizard.market.subTitle" to "Выберите валюту торговли", + "bisqEasy.tradeWizard.review.sellerPaysMinerFee" to "Продавец оплачивает горный сбор", + "bisqEasy.openTrades.chat.peerLeft.subHeadline" to "Если сделка не завершилась на вашей стороне и вам нужна помощь, свяжитесь с посредником или посетите чат поддержки.", + "bisqEasy.tradeState.info.seller.phase3a.qrCodeDisplay.openWindow" to "Открыть увеличенный дисплей", + "bisqEasy.offerDetails.price" to "{0} цена предложения", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.withOffers" to "С предложениями", + "bisqEasy.onboarding.left.button" to "Запустите мастер торговли", + "bisqEasy.takeOffer.review.takeOffer" to "Подтвердите принятие предложения", + "bisqEasy.tradeWizard.amount.limitInfo.overlay.close" to "Закрыть оверлей", + "bisqEasy.tradeCompleted.title" to "Торговля была успешно завершена", + "bisqEasy.tradeState.info.buyer.phase3b.headline.MAIN_CHAIN" to "Продавец начал платеж в биткойнах", + "bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.sufficientScore" to "С вашей оценкой репутации {0} вы обеспечиваете безопасность сделок до {1}.", + "bisqEasy.tradeGuide.rules" to "Правила торговли", + "bisqEasy.tradeState.info.phase3b.txId.tooltip" to "Откройте транзакцию в проводнике блоков", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.prompt.LN" to "Заполните счет-фактуру Молнии", + "bisqEasy.openTrades.cancelTrade.warning.part2" to "согласие может быть расценено как нарушение правил торговли и привести к тому, что ваш профиль будет заблокирован в сети.\n\nЕсли партнер не отвечает на запросы более 24 часов и оплата не была произведена, вы можете отказаться от сделки без последствий. Ответственность будет лежать на стороне, не отвечающей на запросы.\n\nЕсли у вас возникли вопросы или проблемы, пожалуйста, не стесняйтесь связаться с вашим торговым партнером или обратиться за помощью в раздел \"Поддержка\".\n\nЕсли вы считаете, что ваш коллега по торговле нарушил правила торговли, у вас есть возможность инициировать запрос на посредничество. Посредник присоединится к торговому чату и будет работать над поиском совместного решения.\n\nВы уверены, что хотите отменить сделку?", + "bisqEasy.tradeState.header.pay" to "Сумма к оплате", + "bisqEasy.tradeState.header.direction" to "Я хочу", + "bisqEasy.tradeState.info.buyer.phase1b.info" to "Для связи с продавцом вы можете воспользоваться чатом, расположенным ниже.", + "bisqEasy.openTrades.welcome.line1" to "Узнать о модели безопасности Bisq легко", + "bisqEasy.tradeState.info.buyer.phase3b.tradeLogMessage.ln" to "{0} подтвердил получение платежа в биткойнах", + "bisqEasy.tradeWizard.amount.description.minAmount" to "Установка минимального значения для диапазона сумм", + "bisqEasy.onboarding.openTradeGuide" to "Читайте руководство по торговле", + "bisqEasy.openTrades.welcome.line2" to "Узнайте, как происходит процесс торговли", + "bisqEasy.price.warn.invalidPrice.outOfRange" to "Введенная вами цена выходит за пределы допустимого диапазона от -10% до 50%.", + "bisqEasy.openTrades.welcome.line3" to "Ознакомьтесь с правилами торговли", + "bisqEasy.tradeState.bitcoinPaymentData.LN" to "Молниеносный счет", + "bisqEasy.tradeState.info.seller.phase1.note" to "Примечание: Вы можете воспользоваться чатом ниже, чтобы связаться с покупателем, прежде чем раскрывать данные своего аккаунта.", + "bisqEasy.tradeWizard.directionAndMarket.buy" to "Купить биткойн", + "bisqEasy.openTrades.confirmCloseTrade" to "Подтвердить закрытие сделки", + "bisqEasy.tradeWizard.amount.removeMinAmountOption" to "Используйте фиксированную сумму стоимости", + "bisqEasy.offerDetails.id" to "Идентификатор предложения", + "bisqEasy.tradeWizard.progress.price" to "Цена", + "bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo.overlay.info" to "Учитывая низкую сумму сделки {0}, требования к репутации смягчены.\nДля сумм до {1} продавцы с недостаточной или отсутствующей репутацией могут принять ваше предложение.\n\nПродавцы, которые хотят принять ваше предложение с максимальной суммой {2}, должны иметь оценку репутации не ниже {3}.\nСнижая максимальную сумму сделки, вы делаете ваше предложение доступным для большего числа продавцов.", + "bisqEasy.tradeState.info.buyer.phase1a.send" to "Отправить продавцу", + "bisqEasy.takeOffer.review.noTradeFeesLong" to "В Bisq Easy нет торговых сборов.", + "bisqEasy.onboarding.watchVideo" to "Смотреть видео", + "bisqEasy.walletGuide.receive.content" to "Чтобы получить Bitcoin, вам нужен адрес вашего кошелька. Чтобы получить его, нажмите на только что созданный кошелек, а затем нажмите на кнопку \"Получить\" в нижней части экрана.\n\nBluewallet отобразит неиспользуемый адрес, как в виде QR-кода, так и в виде текста. Этот адрес вам нужно будет указать своему коллеге в Bisq Easy, чтобы он мог отправить вам покупаемый биткоин. Вы можете перенести адрес на свой компьютер, отсканировав QR-код с помощью камеры, отправив его по электронной почте или в чате, или даже просто набрав его.\n\nКак только вы завершите сделку, Bluewallet заметит поступление биткоинов и обновит ваш баланс новыми средствами. Каждый раз, когда вы совершаете новую сделку, получайте новый адрес, чтобы защитить свою конфиденциальность.\n\nЭто основы, которые необходимо знать, чтобы начать получать Биткойн на свой собственный кошелек. Если вы хотите узнать больше о Bluewallet, рекомендуем посмотреть видеоролики, перечисленные ниже.", + "bisqEasy.takeOffer.progress.review" to "Обзорная торговля", + "bisqEasy.tradeCompleted.header.myDirection.buyer" to "Я купил", + "bisqEasy.tradeState.info.seller.phase3a.qrCodeDisplay.window.title" to "Сканирование QR-кода для торговли ''{0}''", + "bisqEasy.tradeWizard.amount.seller.limitInfo.scoreTooLow" to "С вашей оценкой репутации {0} сумма вашей сделки не должна превышать", + "bisqEasy.openTrades.table.paymentMethod.tooltip" to "Фиатный способ оплаты: {0}", + "bisqEasy.tradeCompleted.header.myOutcome.buyer" to "Я заплатил", + "bisqEasy.openTrades.chat.peer.description" to "Чат с ровесниками", + "bisqEasy.takeOffer.progress.amount" to "Сумма сделки", + "bisqEasy.price.warn.invalidPrice.numberFormatException" to "Введенная вами цена не является действительным числом.", + "bisqEasy.mediation.request.confirm.msg" to "Если у вас возникли проблемы, которые вы не можете решить со своим торговым партнером, вы можете обратиться за помощью к посреднику.\n\nПожалуйста, не обращайтесь к посреднику по общим вопросам. В разделе поддержки есть чат, где вы можете получить общий совет и помощь.", + "bisqEasy.tradeGuide.rules.headline" to "Что мне нужно знать о правилах торговли?", + "bisqEasy.tradeState.info.buyer.phase3b.balance.prompt" to "Ожидание данных блокчейна...", + "bisqEasy.offerbook.markets" to "Рынки", + "bisqEasy.privateChats.leave" to "Покинуть чат", + "bisqEasy.tradeWizard.review.priceDetails" to "Плавает с рыночной ценой", + "bisqEasy.openTrades.table.headline" to "Мои открытые сделки", + "bisqEasy.takeOffer.review.method.bitcoin" to "Метод расчетов в биткойнах", + "bisqEasy.tradeWizard.amount.description.fixAmount" to "Установите сумму, которую вы хотите обменять", + "bisqEasy.offerDetails.buy" to "Предложение по покупке биткойна", + "bisqEasy.openTrades.chat.detach.tooltip" to "Открыть чат в новом окне", + "bisqEasy.tradeState.info.buyer.phase3a.headline" to "Дождитесь расчетов с продавцом в биткойнах", + "bisqEasy.openTrades" to "Мои открытые сделки", + "bisqEasy.tradeState.info.buyer.phase3b.info.MAIN_CHAIN" to "Как только транзакция Биткойн станет видимой в сети Биткойн, вы увидите платеж. После 1 подтверждения в блокчейне платеж можно считать завершённым.", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.browseOfferbook.info" to "Закройте мастер торговли и просмотрите книгу предложений.", + "bisqEasy.tradeGuide.rules.confirm" to "Я прочитал и понял", + "bisqEasy.walletGuide.intro" to "Введение", + "bisqEasy.tradeState.info.phase3b.balance.help.notConfirmed" to "Транзакция замечена в памяти пула, но пока не подтверждена", + "bisqEasy.mediation.request.feedback.noMediatorAvailable" to "Посредник не доступен. Пожалуйста, воспользуйтесь чатом поддержки.", + "bisqEasy.price.feedback.learnWhySection.description.intro" to "Причина в том, что продавцу приходится покрывать дополнительные расходы и компенсировать услуги продавца, в частности:", + "bisqEasy.offerbook.marketListCell.favourites.tooltip.addToFavourites" to "Добавить в избранное", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.tooltip" to "Сортировка и фильтрация рынков", + "bisqEasy.openTrades.rejectTrade" to "Отказаться от торговли", + "bisqEasy.openTrades.table.direction.seller" to "Продам:", + "bisqEasy.offerDetails.sell" to "Предложение о продаже биткойна", + "bisqEasy.tradeWizard.amount.seller.limitInfo.sufficientScore" to "Ваша оценка репутации {0} обеспечивает безопасность для предложений до", + "bisqEasy.tradeState.info.phase3b.balance.invalid.multipleOutputsForAddress" to "В транзакции найдено несколько совпадающих выходов", + "bisqEasy.onboarding.top.headline" to "Bisq Easy за 3 минуты", + "bisqEasy.tradeWizard.amount.buyer.numSellers.1" to "это один продавец", + "bisqEasy.tradeGuide.tabs.headline" to "Руководство по торговле", + "bisqEasy.tradeWizard.amount.seller.limitInfo.inSufficientScore" to "Безопасность, предоставляемая вашей оценкой репутации {0}, недостаточна для предложений свыше", + "bisqEasy.openTrades.exportTrade" to "Данные по экспортной торговле", + "bisqEasy.tradeWizard.review.table.reputation" to "Репутация", + "bisqEasy.tradeWizard.amount.buyer.numSellers.0" to "нет продавца", + "bisqEasy.tradeWizard.progress.directionAndMarket" to "Тип предложения", + "bisqEasy.offerDetails.direction" to "Тип предложения", + "bisqEasy.tradeWizard.amount.buyer.numSellers.*" to "это {0} продавцов", + "bisqEasy.offerDetails.date" to "Дата создания", + "bisqEasy.offerbook.offerList.table.filters.paymentMethods.title.all" to "Все", + "bisqEasy.takeOffer.noMediatorAvailable.warning" to "Посредник не доступен. Приходится пользоваться чатом поддержки.", + "bisqEasy.offerbook.offerList.table.columns.price" to "Цена", + "bisqEasy.offerbook.offerList.table.filters.offerDirection.buyFrom" to "Купить у", + "bisqEasy.component.amount.baseSide.tooltip.buyer.btcAmount" to "Это сумма биткойнов для получения", + "bisqEasy.takeOffer.bitcoinPaymentData.warning.LN" to "Введенный вами счет-фактура Lightning кажется недействительным.\n\nЕсли вы уверены, что счет-фактура действителен, вы можете проигнорировать это предупреждение и продолжить.", + "bisqEasy.tradeWizard.review.takeOfferSuccessButton" to "Показать торговлю в разделе 'Открытые сделки'", + "bisqEasy.tradeGuide.process.steps" to "1. Продавец и покупатель обмениваются реквизитами. Продавец отправляет покупателю свои платежные данные (например, номер банковского счета), а покупатель отправляет продавцу свой биткойн-адрес (или счет-фактуру Lightning).\n2. Затем покупатель инициирует фиатный платеж на счет продавца. После получения платежа продавец подтверждает его получение.\n3. Затем продавец отправляет биткоин на адрес покупателя и сообщает ему идентификатор транзакции (и, если используется Lightning, предварительное изображение). В пользовательском интерфейсе отобразится состояние подтверждения. После подтверждения сделка будет успешно завершена.", + "bisqEasy.openTrades.rejectTrade.warning" to "Поскольку обмен реквизитами еще не начался, отклонение сделки не является нарушением правил торговли.\n\nЕсли у вас возникли вопросы или проблемы, пожалуйста, не стесняйтесь обращаться к своему коллеге по торговле или за помощью в раздел \"Поддержка\".\n\nВы уверены, что хотите отклонить сделку?", + "bisqEasy.tradeWizard.price.subtitle" to "Это может быть определено как процентная цена, которая плавает вместе с рыночной или фиксированной ценой.", + "bisqEasy.openTrades.tradeLogMessage.rejected" to "{0} отклонил сделку", + "bisqEasy.tradeState.header.tradeId" to "Торговый идентификатор", + "bisqEasy.topPane.filter" to "Книга предложений по фильтрам", + "bisqEasy.tradeWizard.review.priceDetails.fix" to "Фиксированная цена. {0} {1} рыночная цена {2}", + "bisqEasy.tradeWizard.amount.description.maxAmount" to "Установка максимального значения для диапазона сумм", + "bisqEasy.tradeState.info.buyer.phase2b.info" to "Как только продавец получит ваш платеж в размере {0}, он начнет перевод биткоинов на указанный вами счет {1}.", + "bisqEasy.tradeState.info.seller.phase3a.sendBtc" to "Отправьте {0} покупателю", + "bisqEasy.onboarding.left.headline" to "Лучшее для начинающих", + "bisqEasy.takeOffer.paymentMethods.headline.bitcoin" to "Какой метод расчета вы хотите использовать?", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.mostOffers" to "Большинство предложений", + "bisqEasy.tradeState.header.send" to "Сумма для отправки", + "bisqEasy.tradeWizard.review.noTradeFees" to "Никаких торговых сборов в Bisq Easy", + "bisqEasy.tradeWizard.directionAndMarket.sell" to "Продать биткойн", + "bisqEasy.tradeState.info.phase3b.balance.help.confirmed" to "Сделка подтверждена", + "bisqEasy.tradeWizard.directionAndMarket.feedback.backToBuy" to "Назад", + "bisqEasy.tradeWizard.review.price" to "{0} <{1} style=trade-wizard-review-code>", + "bisqEasy.openTrades.table.makerTakerRole.maker" to "Производитель", + "bisqEasy.tradeWizard.review.priceDetails.fix.atMarket" to "Фиксированная цена. Такая же, как рыночная цена {0}", + "bisqEasy.tradeCompleted.tableTitle" to "Резюме", + "bisqEasy.tradeWizard.market.headline.seller" to "В какой валюте вы хотите получать деньги?", + "bisqEasy.tradeCompleted.body.date" to "Дата", + "bisqEasy.tradeWizard.review.paymentMethodDescriptions.btc.taker" to "Выберите метод расчетов в биткойнах", + "bisqEasy.tradeState.info.seller.phase3b.confirmButton.ln" to "Полная торговля", + "bisqEasy.tradeState.info.seller.phase2b.headline" to "Проверьте, получили ли вы {0}", + "bisqEasy.price.feedback.learnWhySection.description.exposition" to "- Создание репутации, которое может быть дорогостоящим - Продавец должен оплачивать услуги шахтера - Продавец является полезным проводником в процессе торговли, поэтому тратит больше времени.", + "bisqEasy.takeOffer.amount.buyer.limitInfoAmount" to "{0}.", + "bisqEasy.tradeState.info.buyer.phase2a.headline" to "Отправьте {0} на платежный счет продавца", + "bisqEasy.price.feedback.learnWhySection.title" to "Почему я должен платить продавцу более высокую цену?", + "bisqEasy.offerbook.offerList.table.columns.price.tooltip.floatPrice" to "Процентная цена {0}\nС текущей рыночной ценой: {1}", + "bisqEasy.takeOffer.review.price.price" to "Торговая цена", + "bisqEasy.tradeState.paymentProof.LN" to "Предварительное изображение", + "bisqEasy.openTrades.table.settlementMethod" to "Поселение", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.description.question" to "Хотите ли вы принять эту новую цену или отказаться/отменить* сделку?", + "bisqEasy.takeOffer.tradeLogMessage" to "{0} отправил сообщение о принятии предложения {1}'", + "bisqEasy.openTrades.cancelled.self" to "Вы отменили сделку", + "bisqEasy.component.amount.baseSide.tooltip.btcAmount.marketPrice" to "Это количество биткойнов с текущей рыночной ценой.", + "bisqEasy.tradeGuide.security" to "Безопасность", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.description.disclaimer" to "(* Обратите внимание, что в данном конкретном случае отмена сделки не будет считаться нарушением правил торговли).", + "bisqEasy.tradeState.info.buyer.phase3b.headline.ln" to "Продавец отправил биткойн через сеть Молния", + "bisqEasy.mediation.request.feedback.headline" to "Посредничество запрошено", + "bisqEasy.tradeState.requestMediation" to "Просьба о посредничестве", + "bisqEasy.price.warn.invalidPrice.exception" to "Введенная вами цена недействительна.\n\nСообщение об ошибке: {0}", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.goBack.info" to "Вернитесь к предыдущим экранам и измените выбор.", + "bisqEasy.offerbook.marketListCell.numOffers.tooltip.one" to "Предложение {0} доступно на рынке {1}", + "bisqEasy.tradeGuide.process.content" to "Когда вы решите принять предложение, у вас будет возможность выбрать один из доступных вариантов. Перед началом торговли вам будет представлен краткий обзор для ознакомления.\nПосле начала торговли пользовательский интерфейс проведет вас через весь процесс торговли, который состоит из следующих шагов:", + "bisqEasy.openTrades.csv.txIdOrPreimage" to "Идентификатор транзакции/предображение", + "bisqEasy.tradeState.info.buyer.phase1a.walletHelpButton" to "Руководство по открытому кошельку", + "bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo" to "Для максимальной суммы {0} есть {1} с достаточной репутацией, чтобы принять ваше предложение.", + "bisqEasy.tradeWizard.review.chatMessage.floatPrice.above" to "{0} выше рыночной цены", + "bisqEasy.tradeWizard.selectOffer.headline.buyer" to "Купить биткойн за {0}", + "bisqEasy.tradeWizard.review.chatMessage.fixPrice" to "{0}", + "bisqEasy.tradeState.info.phase3b.button.next" to "Далее", + "bisqEasy.tradeWizard.review.toReceive" to "Сумма к получению", + "bisqEasy.tradeState.info.seller.phase1.tradeLogMessage" to "{0} отправил данные платежного счета:\n{1}", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.noReputationNeededForMaxOrFixedAmount.info" to "Учитывая низкую сумму {0}, требования к репутации смягчены.\nДля сумм до {1} продавцы с недостаточной или отсутствующей репутацией могут принять предложение.\n\nУбедитесь, что вы полностью понимаете риски при торговле с продавцом без репутации или с недостаточной репутацией. Если вы не хотите подвергать себя этому риску, выберите сумму выше {2}.", + "bisqEasy.tradeCompleted.body.tradeFee" to "Комиссия за сделку", + "bisqEasy.tradeWizard.review.nextButton.takeOffer" to "Подтвердить сделку", + "bisqEasy.openTrades.chat.peerLeft.headline" to "{0} покинул торговлю", + "bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.headline" to "Отправка сообщения с предложением о покупке", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.headline.MAIN_CHAIN" to "Введите свой Bitcoin-адрес", + "bisqEasy.offerbook.marketListCell.numOffers.tooltip.many" to "{0} предложений доступны на {1} рынке", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.prompt.LN" to "Заполните предварительное изображение, если оно доступно", + "bisqEasy.mediation.requester.tradeLogMessage" to "{0} запросил посредничество", + "bisqEasy.tradeWizard.review.table.baseAmount.buyer" to "Вы получаете", + "bisqEasy.tradeWizard.review.table.price" to "Цена в {0}", + "bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.paymentProof.MAIN_CHAIN" to "Идентификатор транзакции", + "bisqEasy.component.amount.baseSide.tooltip.bestOfferPrice" to "Это сумма биткойнов с лучшей ценой\nиз подходящих предложений: {0}", + "bisqEasy.tradeWizard.review.headline.maker" to "Обзорное предложение", + "bisqEasy.openTrades.reportToMediator" to "Доклад посреднику", + "bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.info" to "Не закрывайте окно или приложение до тех пор, пока не увидите подтверждение того, что запрос на принятие предложения был успешно отправлен.", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.sortTitle" to "Сортировать по:", + "bisqEasy.tradeWizard.review.priceDescription.taker" to "Торговая цена", + "bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.subTitle" to "Отправка сообщения с предложением о покупке может занять до 2 минут", + "bisqEasy.walletGuide.receive.headline" to "Получение биткойнов в свой кошелек", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.headline" to "Не найдено ни одного подходящего предложения", + "bisqEasy.walletGuide.tabs.headline" to "Путеводитель по кошельку", + "bisqEasy.offerbook.offerList.table.columns.fiatAmount" to "{0} количество", + "bisqEasy.takeOffer.makerBanned.warning" to "Автор этого предложения заблокирован. Пожалуйста, попробуйте использовать другое предложение.", + "bisqEasy.price.feedback.learnWhySection.closeButton" to "Вернуться к торговой цене", + "bisqEasy.tradeWizard.review.feeDescription" to "Тарифы", + "bisqEasy.takeOffer.amount.buyer.limitInfo.minAmountCovered.overlay.info" to "Оценка репутации продавца {0} обеспечивает безопасность до {1}.\n\nЕсли вы выберете более высокую сумму, убедитесь, что вы полностью осознаете связанные риски. Модель безопасности Bisq Easy основывается на репутации продавца, так как покупатель должен сначала отправить фиатную валюту.", + "bisqEasy.tradeWizard.review.paymentMethodDescriptions.btc.maker" to "Методы расчетов в биткойнах", + "bisqEasy.tradeWizard.review.headline.taker" to "Обзорная торговля", + "bisqEasy.takeOffer.review.takeOfferSuccess.headline" to "Вы успешно воспользовались предложением", + "bisqEasy.openTrades.failedAtPeer.popup" to "Торговля с коллегой не удалась из-за ошибки.\nОшибка вызвана: {0}\n\nТрассировка стека: {1}", + "bisqEasy.tradeCompleted.header.myDirection.seller" to "Я продал", + "bisqEasy.tradeState.info.buyer.phase1b.headline" to "Дождитесь данных платежного счета продавца", + "bisqEasy.price.feedback.sentence.some" to "несколько", + "bisqEasy.component.amount.baseSide.tooltip.seller.btcAmount" to "Это сумма биткойнов, которую нужно потратить", + "bisqEasy.offerDetails.headline" to "Детали предложения", + "bisqEasy.openTrades.cancelTrade" to "Отменить торговлю", + "bisqEasy.tradeState.info.phase3b.button.next.noOutputForAddress" to "Не найдено ни одного вывода, соответствующего адресу ''{0}'' в транзакции ''{1}''.\n\nУдалось ли вам решить этот вопрос со своим торговым партнером?\nЕсли нет, вы можете обратиться за посредничеством, чтобы урегулировать этот вопрос.", + "bisqEasy.price.tradePrice.title" to "Фиксированная цена", + "bisqEasy.openTrades.table.mediator" to "Медиатор", + "bisqEasy.offerDetails.makersTradeTerms" to "Торговые условия для производителей", + "bisqEasy.openTrades.chat.attach.tooltip" to "Возврат чата в главное окно", + "bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMax" to "Оценка репутации продавца составляет всего {0}. Не рекомендуется торговать на сумму более", + "bisqEasy.privateChats.table.myUser" to "Мой профиль", + "bisqEasy.tradeState.info.phase4.exportTrade" to "Данные по экспортной торговле", + "bisqEasy.takeOffer.amount.buyer.limitInfo.minAmountNotCovered" to "Оценка репутации продавца {0} не обеспечивает достаточной безопасности для этого предложения.", + "bisqEasy.tradeWizard.selectOffer.subHeadline" to "Рекомендуется торговать с пользователями с высокой репутацией.", + "bisqEasy.topPane.filter.offersOnly" to "Показывать только предложения из книги предложений Bisq Easy", + "bisqEasy.tradeWizard.review.nextButton.createOffer" to "Создать предложение", + "bisqEasy.offerbook.offerList.table.filters.paymentMethods.clearFilters" to "Очистить фильтры", + "bisqEasy.openTrades.noTrades" to "У вас нет открытых сделок", + "bisqEasy.tradeState.info.seller.phase2b.info" to "Посетите свой банковский счет или приложение платежного провайдера, чтобы подтвердить получение платежа покупателя.", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.prompt.MAIN_CHAIN" to "Введите свой Bitcoin-адрес", + "bisqEasy.tradeWizard.amount.seller.limitInfoAmount" to "{0}.", + "bisqEasy.openTrades.welcome.headline" to "Добро пожаловать в вашу первую сделку с Bisq Easy!", + "bisqEasy.takeOffer.amount.description.limitedByTakersReputation" to "Ваша оценка репутации {0} позволяет выбрать сумму сделки\nмежду {1} и {2}", + "bisqEasy.tradeState.info.seller.phase1.buttonText" to "Отправка данных учетной записи", + "bisqEasy.tradeState.info.phase3b.txId.failed" to "Поиск транзакции по адресу ''{0}'' не удался с ошибкой {1}: ''{2}''", + "bisqEasy.component.amount.baseSide.tooltip.taker.offerPrice" to "с ценой предложения: {0}", + "bisqEasy.takeOffer.review.takeOfferSuccessButton" to "Показать торговлю в разделе 'Открытые сделки'", + "bisqEasy.walletGuide.createWallet.headline" to "Создание нового кошелька", + "bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.noProofProvided" to "{0} инициировал перевод Bitcoin.", + "bisqEasy.walletGuide.intro.headline" to "Приготовьтесь получить свой первый биткойн", + "bisqEasy.openTrades.rejected.self" to "Вы отклонили сделку", + "bisqEasy.takeOffer.amount.headline.buyer" to "Сколько вы хотите потратить?", + "bisqEasy.tradeState.header.receive" to "Сумма к получению", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.title" to "Внимание на изменение цены!", + "bisqEasy.offerDetails.priceValue" to "{0} (премия: {1})", + "bisqEasy.tradeWizard.review.chatMessage.floatPrice.below" to "{0} ниже рыночной цены", + "bisqEasy.tradeState.info.seller.phase1.headline" to "Отправьте данные вашего платежного счета покупателю", + "bisqEasy.tradeWizard.market.columns.numPeers" to "Сверстники в сети", + "bisqEasy.tradeState.info.phase3b.button.next.amountNotMatching.resolved" to "Я решил эту проблему", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.favourites" to "Только любимые", + "bisqEasy.openTrades.table.me" to "Я", + "bisqEasy.tradeCompleted.header.tradeId" to "Торговый идентификатор", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.description.MAIN_CHAIN" to "Биткойн-адрес", + "bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.linkToWikiText" to "Для получения дополнительной информации о системе репутации посетите вики Bisq по адресу:", + "bisqEasy.openTrades.table.tradePeer" to "Сверстник", + "bisqEasy.price.feedback.learnWhySection.openButton" to "Почему?", + "bisqEasy.mediation.request.confirm.headline" to "Просьба о посредничестве", + "bisqEasy.tradeWizard.review.paymentMethodDescription.btc" to "Метод расчетов в биткойнах", + "bisqEasy.tradeWizard.paymentMethods.warn.tooLong" to "Длина имени пользовательского метода оплаты не должна превышать 20 символов.", + "bisqEasy.walletGuide.download.link" to "Нажмите здесь, чтобы посетить страницу Bluewallet", + "bisqEasy.onboarding.right.info" to "Просмотрите книгу предложений, чтобы найти лучшие предложения, или создайте свое собственное предложение.", + "bisqEasy.component.amount.maxRangeValue" to "Максимально {0}", + "bisqEasy.tradeState.info.phase3b.balance.invalid.noOutputsForAddress" to "В транзакции не найдено совпадающих выходов", + "bisqEasy.tradeWizard.review.priceDescription.maker" to "Цена предложения", + "bisqEasy.takeOffer.paymentMethods.subtitle.fiat.buyer" to "Выберите способ оплаты для перевода {0}", + "bisqEasy.tradeGuide.security.headline" to "Насколько безопасно торговать на Bisq Easy?", + "bisqEasy.takeOffer.amount.buyer.limitInfo.overlay.linkToWikiText" to "Чтобы узнать больше о системе репутации, посетите:", + "bisqEasy.walletGuide.receive.link2" to "Учебник по Bluewallet от BTC Сессии", + "bisqEasy.walletGuide.receive.link1" to "Учебник по Bluewallet от Аниты Пош", + "bisqEasy.tradeWizard.progress.amount" to "Сумма", + "bisqEasy.offerbook.chatMessage.deleteOffer.confirmation" to "Вы уверены, что хотите удалить это предложение?", + "bisqEasy.tradeWizard.review.priceDetails.float" to "Плавающая цена. {0} {1} рыночная цена {2}", + "bisqEasy.openTrades.welcome.info" to "Пожалуйста, ознакомьтесь с концепцией, процессом и правилами торговли на Bisq Easy.\nПосле того как вы прочитали и приняли правила торговли, вы можете начать торговлю.", + "bisqEasy.tradeState.info.seller.phase3a.fiatPaymentReceivedCheckBox" to "Я подтвердил, что получил {0}", + "bisqEasy.offerbook" to "Книга предложений", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.description.LN" to "Молниеносный счет", + "bisqEasy.openTrades.table.makerTakerRole" to "Моя роль", + "bisqEasy.tradeWizard.market.headline.buyer" to "В какой валюте вы хотите заплатить?", + "bisqEasy.tradeWizard.amount.limitInfo.overlay.headline" to "Лимиты суммы торговли на основе репутации", + "bisqEasy.tradeWizard.progress.takeOffer" to "Выбрать предложение", + "bisqEasy.tradeWizard.market.columns.numOffers" to "Количество предложений", + "bisqEasy.offerbook.offerList.expandedList.tooltip" to "Свернуть список предложений", + "bisqEasy.openTrades.failedAtPeer" to "Торговля с коллегой завершилась с ошибкой, вызванной: {0}", + "bisqEasy.tradeState.info.buyer.phase3b.info.ln" to "Переводы через Сеть Молний обычно происходят практически мгновенно. Если вы не получили платеж в течение одной минуты, свяжитесь с продавцом в торговом чате. Иногда платежи могут не проходить и их приходится повторять.", + "bisqEasy.takeOffer.amount.buyer.limitInfo.learnMore" to "Узнать больше", + "bisqEasy.takeOffer.paymentMethods.subtitle.fiat.seller" to "Выберите способ оплаты для получения {0}", + "bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo.leadLine" to "Поскольку ваша минимальная сумма ниже {0}, продавцы без репутации могут принять ваше предложение.", + "bisqEasy.walletGuide.open" to "Руководство по открытому кошельку", + "bisqEasy.tradeState.info.seller.phase3a.btcSentButton" to "Я подтверждаю, что отправил {0}", + "bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMax.overlay.info" to "Оценка репутации продавца {0} не обеспечивает достаточной безопасности. Однако для более низких сумм сделок (до {1}) требования к репутации более лояльны.\n\nЕсли вы решите продолжить, несмотря на отсутствие репутации продавца, убедитесь, что вы полностью осознаете связанные риски. Модель безопасности Bisq Easy основывается на репутации продавца, так как покупатель обязан сначала отправить фиатные средства.", + "bisqEasy.tradeState.paymentProof.MAIN_CHAIN" to "Идентификатор транзакции", + "bisqEasy.takeOffer.paymentMethods.subtitle.bitcoin.seller" to "Выберите способ расчета для отправки Bitcoin", + "bisqEasy.offerbook.offerList.table.filters.showMyOffersOnly" to "Только мои предложения", + "bisqEasy.component.amount.baseSide.tooltip.buyerInfo" to "Продавцы могут запросить более высокую цену, поскольку у них есть расходы на приобретение репутации.\nОбычно это 5-15 % надбавки к цене.", + "bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.scoreTooLow" to "Ваша оценка репутации {0} не обеспечивает достаточной безопасности для покупателей.\n\nПокупатели, которые рассматривают возможность принять ваше предложение, получат предупреждение о потенциальных рисках при его принятии.\n\nВы можете найти информацию о том, как повысить свою репутацию в разделе ''Репутация/Создание репутации''.", + "bisqEasy.tradeState.info.phase3b.button.next.amountNotMatching" to "Сумма вывода для адреса ''{0}'' в транзакции ''{1}'' равна ''{2}'', что не соответствует сумме сделки ''{3}''.\n\nУдалось ли вам решить эту проблему с вашим торговым партнером?\nЕсли нет, вы можете обратиться за посредничеством, чтобы урегулировать этот вопрос.", + "bisqEasy.tradeState.info.buyer.phase3b.balance" to "Полученный Биткойн", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.overlay.info" to "Учитывая низкую минимальную сумму {0}, требования к репутации ослаблены.\nДля сумм до {1} продавцам не требуется репутация.\n\nНа экране ''Выбор предложения'' рекомендуется выбирать продавцов с более высокой репутацией.", + "bisqEasy.tradeWizard.review.toPay" to "Сумма к оплате", + "bisqEasy.takeOffer.review.headline" to "Обзорная торговля", + "bisqEasy.openTrades.table.makerTakerRole.taker" to "Взявший", + "bisqEasy.openTrades.chat.attach" to "Восстановить", + "bisqEasy.tradeWizard.amount.addMinAmountOption" to "Добавьте минимальный/максимальный диапазон для суммы", + "bisqEasy.tradeWizard.paymentMethods.warn.noBtcSettlementMethodSelected" to "Пожалуйста, выберите хотя бы один способ расчетов в биткойнах.", + "bisqEasy.takeOffer.paymentMethods.subtitle.bitcoin.buyer" to "Выберите метод расчетов для получения Bitcoin", + "bisqEasy.openTrades.table.paymentMethod" to "Оплата", + "bisqEasy.takeOffer.review.noTradeFees" to "Никаких торговых сборов в Bisq Easy", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.tooltip" to "Сканируйте QR-код с помощью веб-камеры", + "bisqEasy.tradeWizard.review.paymentMethodDescriptions.fiat.maker" to "Фиатные способы оплаты", + "bisqEasy.tradeWizard.review.chatMessage.peerMessageTitle.sell" to "Продать биткойн", + "bisqEasy.onboarding.left.info" to "Мастер торговли проведет вас через вашу первую сделку с биткойнами. Продавцы биткойнов помогут вам, если у вас возникнут вопросы.", + "bisqEasy.offerbook.offerList.collapsedList.tooltip" to "Расширить список предложений", + "bisqEasy.price.feedback.sentence.low" to "низкий", + "bisqEasy.tradeState.info.seller.phase3b.info.MAIN_CHAIN" to "Для завершения платежа в Биткойнах требуется как минимум 1 подтверждение в блокчейне.", + "bisqEasy.tradeWizard.review.toSend" to "Сумма для отправки", + "bisqEasy.tradeState.info.seller.phase1.accountData.prompt" to "Введите данные вашего платежного счета. Например, IBAN, BIC и имя владельца счета", + "bisqEasy.tradeWizard.review.chatMessage.myMessageTitle" to "Мое предложение на {0} биткоин", + "bisqEasy.tradeWizard.directionAndMarket.feedback.headline" to "Как укрепить репутацию?", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.info" to "Для предложений до {0} требования к репутации смягчены.", + "bisqEasy.tradeWizard.review.createOfferSuccessButton" to "Показать мое предложение в \"Книге предложений", + "bisqEasy.tradeWizard.review.takeOfferSuccess.subTitle" to "Пожалуйста, свяжитесь с торговым коллегой на странице ''Открыть торги''.\nТам вы найдете информацию о дальнейших действиях.\n\nНе забывайте регулярно проверять приложение Bisq на наличие новых сообщений от вашего торгового партнера.", + "bisqEasy.mediation.request.confirm.openMediation" to "Открытое посредничество", + "bisqEasy.price.tradePrice.inputBoxText" to "Торговая цена в {0}", + "bisqEasy.tradeGuide.rules.content" to "- До обмена данными о счете между продавцом и покупателем любая сторона может отменить сделку без объяснения причин.\n- Трейдеры должны регулярно проверять свои торговые операции на наличие новых сообщений и отвечать на них в течение 24 часов.\n- После обмена реквизитами невыполнение торговых обязательств считается нарушением торгового контракта и может привести к запрету доступа к сети Bisq. Это не относится к случаям, когда торговый партнер не отвечает на запросы.\n- При оплате фиатом покупатель НЕ ДОЛЖЕН указывать в поле \"причина платежа\" такие термины, как \"Bisq\" или \"Bitcoin\". Трейдеры могут договориться об идентификаторе, например, случайной строке типа 'H3TJAPD', чтобы связать банковский перевод со сделкой.\n- Если сделка не может быть завершена мгновенно из-за длительного времени перевода Fiat, оба трейдера должны быть онлайн не реже одного раза в день, чтобы следить за ходом сделки.\n- В случае возникновения неразрешимых проблем у трейдеров есть возможность пригласить посредника в торговый чат для получения помощи.\n\nЕсли у вас возникли вопросы или вам нужна помощь, не стесняйтесь обращаться в чат, доступный в меню \"Поддержка\". Счастливой торговли!", + "bisqEasy.offerbook.offerList.table.columns.peerProfile" to "Профиль сверстника", + "bisqEasy.tradeState.info.phase3b.balance.invalid.amountNotMatching" to "Сумма, выведенная из транзакции, не совпадает с суммой сделки", + "bisqEasy.tradeWizard.review.chatMessage.peerMessage.buy" to "Купить биткоин с {0}\nСумма: {1}\nСпособ(ы) расчета в биткоинах: {2}\nФиатный метод(ы) оплаты: {3}\n{4}", + "bisqEasy.price.percentage.title" to "Процентная цена", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.connecting" to "Подключение к веб-камере...", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.learnMore" to "Узнать больше", + "bisqEasy.tradeGuide.open" to "Руководство по открытой торговле", + "bisqEasy.tradeState.info.phase3b.lightning.preimage" to "Предварительное изображение", + "bisqEasy.tradeWizard.review.table.baseAmount.seller" to "Вы тратите", + "bisqEasy.openTrades.cancelTrade.warning.buyer" to "Поскольку обмен реквизитами уже начался, отмена сделки без согласия продавца {0}", + "bisqEasy.tradeWizard.review.chatMessage.marketPrice" to "Рыночная цена", + "bisqEasy.tradeWizard.amount.seller.limitInfo.link" to "Узнать больше", + "bisqEasy.tradeState.info.seller.phase2a.waitForPayment.info" to "Как только покупатель инициирует платеж в размере {0}, вы получите уведомление.", + "bisqEasy.offerbook.offerList.table.columns.price.tooltip.fixPrice" to "Фиксированная цена: {0}\nПроцент от текущей рыночной цены: {1}", + "bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.walletHelp" to "Если вы еще не создали кошелек, вы можете найти помощь в руководстве по созданию кошелька", + "bisqEasy.tradeGuide.security.content" to "- Модель безопасности Bisq Easy оптимизирована для небольших сумм сделок.\n- Модель опирается на репутацию продавца, который обычно является опытным пользователем Bisq и, как ожидается, окажет полезную поддержку новым пользователям.\n- Создание репутации может быть дорогостоящим делом, что приводит к обычной надбавке к цене в 5-15 % для покрытия дополнительных расходов и компенсации услуг продавца.\n- Торговля с продавцами, не имеющими репутации, сопряжена со значительными рисками, и к ней следует прибегать только в том случае, если эти риски тщательно осознаются и управляются.", + "bisqEasy.openTrades.csv.paymentMethod" to "Способ оплаты", + "bisqEasy.tradeState.acceptOrRejectSellersPrice.button.accept" to "Принять цену", + "bisqEasy.openTrades.failed" to "Торговля завершилась неудачей с сообщением об ошибке: {0}", + "bisqEasy.tradeState.info.seller.phase3b.headline.MAIN_CHAIN" to "Ожидание подтверждения блокчейна", + "bisqEasy.tradeState.info.buyer.phase3a.info" to "Продавец должен начать перевод биткоинов на указанный вами счет {0}.", + "bisqEasy.tradeState.info.seller.phase3b.headline.ln" to "Дождитесь подтверждения покупателем получения Bitcoin", + "bisqEasy.tradeState.phase4" to "Торговля завершена", + "bisqEasy.tradeWizard.review.detailsHeadline.taker" to "Детали торговли", + "bisqEasy.tradeState.phase3" to "Перевод биткойнов", + "bisqEasy.tradeWizard.review.takeOfferSuccess.headline" to "Вы успешно воспользовались предложением", + "bisqEasy.tradeState.phase2" to "Фиатный платеж", + "bisqEasy.tradeState.phase1" to "Детали аккаунта", + "bisqEasy.mediation.request.feedback.msg" to "Запрос зарегистрированным посредникам отправлен.\n\nПожалуйста, наберитесь терпения, пока посредник не появится в сети, чтобы присоединиться к торговому чату и помочь разрешить любые проблемы.", + "bisqEasy.offerBookChannel.description" to "Рыночный канал для торговли {0}", + "bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.failed" to "Не удалось подключиться к веб-камере", + "bisqEasy.tradeGuide.welcome.content" to "В этом руководстве представлен обзор основных аспектов покупки или продажи биткоина с помощью Bisq Easy.\nВ этом руководстве вы узнаете о модели безопасности, используемой в Bisq Easy, получите представление о процессе торговли и ознакомитесь с правилами торговли.\n\nЕсли у вас возникнут дополнительные вопросы, не стесняйтесь обращаться в чат, доступный в меню \"Поддержка\".", + "bisqEasy.offerDetails.quoteSideAmount" to "{0} количество", + "bisqEasy.tradeState.info.seller.phase2a.waitForPayment.headline" to "Дождитесь оплаты {0} покупателя", + "bisqEasy.tradeState.info.buyer.phase2a.reasonForPaymentInfo" to "Пожалуйста, оставьте поле \"Причина платежа\" пустым, если вы осуществляете банковский перевод", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.proceed" to "Игнорировать предупреждение", + "bisqEasy.offerbook.offerList.table.filters.paymentMethods.title" to "Платежи ({0})", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.browseOfferbook" to "Просмотреть книгу предложений", + "bisqEasy.tradeState.info.seller.phase2b.fiatReceivedButton" to "Подтвердите получение {0}", + "bisqEasy.tradeWizard.amount.seller.limitInfo.noReputationNeededForMaxOrFixedAmount" to "Для сумм до {0} репутация не требуется.", + "bisqEasy.openTrades.csv.receiverAddressOrInvoice" to "Адрес получателя/Счет-фактура", + "bisqEasy.tradeWizard.review.chatMessage.peerMessage.sell" to "Продать биткойн за {0}\nСумма: {1}\nСпособ(ы) расчета в биткоинах: {2}\nФиатный метод(ы) оплаты: {3}\n{4}", + "bisqEasy.takeOffer.review.sellerPaysMinerFee" to "Продавец оплачивает горный сбор", + "bisqEasy.takeOffer.review.sellerPaysMinerFeeLong" to "Продавец оплачивает стоимость добычи", + "bisqEasy.tradeWizard.review.paymentMethodDescriptions.fiat.taker" to "Выберите способ оплаты фиатом", + "bisqEasy.tradeWizard.directionAndMarket.feedback.gainReputation" to "Узнайте, как создать репутацию", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.MAIN_CHAIN" to "Похоже, что введенный вами идентификатор транзакции недействителен.\n\nЕсли вы уверены, что идентификатор транзакции действителен, вы можете проигнорировать это предупреждение и продолжить.", + "bisqEasy.tradeState.info.buyer.phase2a.quoteAmount" to "Сумма к переводу", + "bisqEasy.offerbook.marketListCell.favourites.tooltip.removeFromFavourites" to "Удалить из избранного", + "bisqEasy.offerbook.marketListCell.numOffers.tooltip.none" to "На рынке {0} пока нет предложений", + "bisqEasy.price.percentage.inputBoxText" to "Процент рыночной цены от -10% до 50%", + "bisqEasy.takeOffer.amount.seller.limitInfo.overlay.info.scoreTooLow" to "Для сумм до {0} требования к репутации ослаблены.\n\nВаша оценка репутации {1} не обеспечивает достаточной безопасности для покупателя. Однако, учитывая низкую сумму сделки, покупатель согласился принять риск.\n\nВы можете найти информацию о том, как повысить свою репутацию в разделе ''Репутация/Создание репутации''.", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.description.LN" to "Предварительное изображение (необязательно)", + "bisqEasy.takeOffer.bitcoinPaymentData.warning.MAIN_CHAIN" to "Введенный вами Bitcoin-адрес кажется недействительным.\n\nЕсли вы уверены, что адрес действителен, вы можете проигнорировать это предупреждение и продолжить.", + "bisqEasy.tradeWizard.selectOffer.noMatchingOffers.goBack" to "Выбор изменений", + "bisqEasy.tradeWizard.amount.seller.wizard.numMatchingOffers.info" to "Существует {0} соответствующих выбранной сумме сделки.", + "bisqEasy.tradeState.bitcoinPaymentData.MAIN_CHAIN" to "Биткойн-адрес", + "bisqEasy.onboarding.top.content1" to "Быстрое знакомство с Bisq Easy", + "bisqEasy.onboarding.top.content2" to "Узнайте, как происходит процесс торговли", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.description.MAIN_CHAIN" to "Идентификатор транзакции", + "bisqEasy.onboarding.top.content3" to "Узнайте о простых правилах торговли", + "bisqEasy.tradeState.header.peer" to "Торговый коллега", + "bisqEasy.tradeState.info.phase3b.button.skip" to "Пропустить ожидание подтверждения блока", + "bisqEasy.openTrades.closeTrade.warning.completed" to "Торговля завершена.\n\nТеперь вы можете закрыть сделку или при необходимости создать резервную копию данных о сделке на своем компьютере.\n\nПосле закрытия сделки все данные, связанные с ней, будут удалены, и вы больше не сможете общаться с коллегой по сделке в торговом чате.", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.noReputationNeededForMaxOrFixedAmount.riskInfo" to "Убедитесь, что вы полностью понимаете связанные риски.", + "bisqEasy.tradeState.info.buyer.phase1a.tradeLogMessage.LN" to "{0} отправил счет-фактуру Молния ''{1}''.", + "bisqEasy.openTrades.cancelled.peer" to "Ваш торговый коллега отменил сделку", + "bisqEasy.tradeCompleted.header.myOutcome.seller" to "Я получил", + "bisqEasy.tradeWizard.review.chatMessage.offerDetails" to "Сумма: {0}\nСпособ(ы) расчета в биткоинах: {1}\nФиатный метод(ы) оплаты: {2}\n{3}", + "bisqEasy.takeOffer.bitcoinPaymentData.warning.proceed" to "Игнорировать предупреждение", + "bisqEasy.takeOffer.review.detailsHeadline" to "Детали торговли", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.info" to "Продавец, который хочет принять ваше предложение на {0}, должен иметь оценку репутации не ниже {1}.\nСнижая максимальную сумму сделки, вы делаете ваше предложение доступным для большего числа продавцов.", + "bisqEasy.tradeState.info.buyer.phase2a.tradeLogMessage" to "{0} инициировал {1} платеж", + "bisqEasy.takeOffer.amount.seller.limitInfo.scoreTooLow" to "Поскольку ваша оценка репутации составляет всего {0}, ваша сумма сделки ограничена", + "bisqEasy.tradeState.info.seller.phase3a.baseAmount" to "Сумма для отправки", + "bisqEasy.takeOffer.review.takeOfferSuccess.subTitle" to "Пожалуйста, свяжитесь с торговым коллегой на странице ''Открыть торги''.\nТам вы найдете информацию о дальнейших действиях.\n\nНе забывайте регулярно проверять приложение Bisq на наличие новых сообщений от вашего торгового партнера.", + "bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.paymentProof.LN" to "Предварительное изображение", + "bisqEasy.tradeCompleted.body.txId.tooltip" to "Открыть транзакцию в проводнике блоков", + "bisqEasy.offerbook.marketListCell.numOffers.many" to "{0} предлагает", + "bisqEasy.walletGuide.createWallet.content" to "Bluewallet позволяет создать несколько кошельков для разных целей. На данный момент вам достаточно иметь один кошелек. Как только вы войдете в Bluewallet, вы увидите сообщение, предлагающее добавить новый кошелек. После этого введите название кошелька и выберите опцию *Биткоин* в разделе *Тип*. Все остальные параметры вы можете оставить без изменений и нажать на кнопку *Создать*.\n\nКогда вы перейдете к следующему шагу, вам будет предложено 12 слов. Эти 12 слов - резервная копия, которая позволит вам восстановить кошелек, если что-то случится с вашим телефоном. Запишите их на листе бумаги (не в цифровом виде) в том же порядке, в котором они представлены, храните эту бумагу в надежном месте и убедитесь, что доступ к ней есть только у вас. Подробнее о том, как защитить свой кошелек, вы можете прочитать в разделах Bisq 2, посвященных кошелькам и безопасности.\n\nКак только вы закончите, нажмите на кнопку \"Ок, я записал\".\nПоздравляем! Вы создали свой кошелек! Давайте перейдем к тому, как получать в него биткоины.", + "bisqEasy.tradeCompleted.body.tradeFee.value" to "Никаких торговых сборов в Bisq Easy", + "bisqEasy.walletGuide.download.content" to "Существует множество кошельков, которые вы можете использовать. В этом руководстве мы покажем вам, как использовать Bluewallet. Bluewallet отлично подходит и в то же время очень прост в использовании, и вы можете использовать его для получения вашего биткойна из Bisq Easy.\n\nВы можете скачать Bluewallet на свой телефон, независимо от того, есть ли у вас устройство Android или iOS. Для этого вы можете посетить официальный веб-сайт по адресу 'bluewallet.io'. Как только вы окажетесь там, нажмите на App Store или Google Play в зависимости от используемого вами устройства.\n\nВажно: для вашей безопасности убедитесь, что вы скачиваете приложение из официального магазина приложений вашего устройства. Официальное приложение предоставляется 'Bluewallet Services, S.R.L.', и вы должны видеть это в своем магазине приложений. Скачивание вредоносного кошелька может поставить ваши средства под угрозу.\n\nНаконец, небольшое замечание: Bisq не имеет никакого отношения к Bluewallet. Мы рекомендуем использовать Bluewallet из-за его качества и простоты, но на рынке есть много других вариантов. Вы можете абсолютно свободно сравнивать, пробовать и выбирать любой кошелек, который лучше всего соответствует вашим потребностям.", + "bisqEasy.tradeState.info.phase4.txId.tooltip" to "Откройте транзакцию в проводнике блоков", + "bisqEasy.price.feedback.sentence" to "Ваше предложение имеет {0} шансов быть принятым по этой цене.", + "bisqEasy.takeOffer.paymentMethods.headline.fiatAndBitcoin" to "Какой способ оплаты и расчетов вы хотите использовать?", + "bisqEasy.tradeWizard.paymentMethods.headline" to "Какие способы оплаты и расчетов вы хотите использовать?", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.nameAZ" to "Название от А до Я", + "bisqEasy.tradeWizard.amount.buyer.limitInfo" to "В сети {0} с достаточной репутацией, чтобы принять предложение на сумму {1}.", + "bisqEasy.tradeCompleted.header.myDirection.btc" to "биткойн", + "bisqEasy.tradeGuide.notConfirmed.warn" to "Пожалуйста, ознакомьтесь с руководством по торговле и подтвердите, что вы прочитали и поняли правила торговли.", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.info.leadLine" to "Существует {0} соответствующих выбранной сумме сделки.", + "bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.linkToWikiText" to "Узнать больше о системе репутации можно здесь:", + "bisqEasy.tradeState.info.seller.phase3b.info.ln" to "Переводы через Сеть Молний обычно почти мгновенны и надежны. Однако в некоторых случаях платежи могут не пройти и их приходится повторять.\n\nВо избежание проблем, пожалуйста, дождитесь подтверждения покупателем получения в торговом чате, прежде чем закрывать сделку, так как после этого связь будет невозможна.", + "bisqEasy.tradeGuide.process" to "Процесс", + "bisqEasy.tradeWizard.paymentMethods.warn.customNameMatchesPredefinedMethod" to "Название вашего пользовательского метода оплаты не должно совпадать с одним из предопределенных.", + "bisqEasy.tradeState.info.phase3b.balance.help.explorerLookup" to "Просмотр транзакции в проводнике блоков ''{0}''.", + "bisqEasy.tradeWizard.progress.paymentMethods" to "Способы оплаты", + "bisqEasy.openTrades.table.quoteAmount" to "Сумма", + "bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.filterTitle" to "Показать рынки:", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.LN" to "Похоже, что введенный вами предварительный образ недействителен.\n\nЕсли вы уверены, что предварительный образ действителен, вы можете проигнорировать это предупреждение и продолжить.", + "bisqEasy.tradeState.info.seller.phase1.accountData" to "Данные моего платежного счета", + "bisqEasy.price.feedback.sentence.good" to "хорошо", + "bisqEasy.takeOffer.review.method.fiat" to "Фиатный способ оплаты", + "bisqEasy.offerbook.offerList" to "Список предложений", + "bisqEasy.offerDetails.baseSideAmount" to "Сумма биткоина", + "bisqEasy.tradeState.info.seller.phase3a.bitcoinPayment.description.MAIN_CHAIN" to "Биткойн-адрес", + "bisqEasy.tradeState.info.phase3b.txId" to "Идентификатор транзакции", + "bisqEasy.tradeWizard.review.paymentMethodDescription.fiat" to "Фиатный способ оплаты", + "bisqEasy.tradeState.info.seller.phase3a.paymentProof.prompt.MAIN_CHAIN" to "Введите идентификатор транзакции Биткойн", + "bisqEasy.tradeState.info.seller.phase3b.balance" to "Метод расчетов в биткойнах", + "bisqEasy.takeOffer.amount.headline.seller" to "Сколько вы хотите обменять?", + "bisqEasy.tradeWizard.paymentMethods.warn.maxMethodsReached" to "Вы не можете добавить более 4 способов оплаты.", + "bisqEasy.tradeCompleted.header.tradeWith" to "Торговля с", + ), + "reputation" to mapOf( + "reputation.burnBsq" to "Сжигание BSQ", + "reputation.signedWitness.import.step2.instruction" to "Скопируйте идентификатор профиля, чтобы вставить его в Bisq 1.", + "reputation.signedWitness.import.step4.instruction" to "Вставьте json-данные из предыдущего шага", + "reputation.buildReputation.accountAge.description" to "Пользователи Bisq 1 могут получить репутацию, импортировав возраст своего аккаунта из Bisq 1 в Bisq 2.", + "reputation.reputationScore.explanation.ranking.description" to "Ранжирует пользователей от самого высокого до самого низкого балла.\nКак правило, при торговле: чем выше ранг, тем больше вероятность успешной сделки.", + "user.bondedRoles.type.MEDIATOR.how.inline" to "посредник", + "reputation.totalScore" to "Общий балл", + "user.bondedRoles.registration.requestRegistration" to "Запросить регистрацию", + "reputation.reputationScore" to "Репутация", + "reputation.signedWitness.info" to "Связывая ваш 'подписанный свидетель возраста аккаунта' Bisq 1, вы можете предоставить некоторый уровень доверия. Существуют разумные ожидания, что пользователь, который торговал некоторое время назад на Bisq 1 и получил подпись своего аккаунта, является честным пользователем. Но это ожидание слабее по сравнению с другими формами репутации, где пользователь предоставляет больше 'долга в игре' с использованием финансовых ресурсов.", + "user.bondedRoles.headline.roles" to "Связанные роли", + "reputation.request.success" to "Успешно запрошена авторизация от узла моста Bisq 1\n\nВаши данные о репутации теперь должны быть доступны в сети.", + "reputation.bond.score.headline" to "Влияние на репутацию", + "user.bondedRoles.type.RELEASE_MANAGER.about.inline" to "менеджер по выпуску", + "reputation.source.BISQ1_ACCOUNT_AGE" to "Возраст аккаунта", + "reputation.table.columns.profileAge" to "Возраст профиля", + "reputation.burnedBsq.info" to "Сжигая BSQ, вы предоставляете доказательства того, что вы вложили деньги в свою репутацию.\nТранзакция по сжиганию BSQ содержит хэш открытого ключа вашего профиля. В случае злонамеренного поведения ваш профиль может быть заблокирован, и ваше вложение в вашу репутацию станет бесполезным.", + "reputation.signedWitness.import.step1.instruction" to "Выберите профиль пользователя, к которому вы хотите прикрепить репутацию.", + "reputation.signedWitness.totalScore" to "Возраст свидетеля в днях * вес", + "reputation.table.columns.details.button" to "Показать детали", + "reputation.ranking" to "Рейтинг", + "reputation.accountAge.import.step2.profileId" to "Идентификатор профиля (Вставьте на экране аккаунта в Bisq 1)", + "reputation.accountAge.infoHeadline2" to "Последствия для конфиденциальности", + "user.bondedRoles.registration.how.headline" to "Как стать {0}?", + "reputation.details.table.columns.lockTime" to "Время блокировки", + "reputation.buildReputation.learnMore.link" to "Вики Bisq.", + "reputation.reputationScore.explanation.intro" to "Репутация на Bisq2 представлена тремя элементами:", + "reputation.score.tooltip" to "Счет: {0}\nРейтинг: {1}", + "user.bondedRoles.cancellation.failed" to "Не удалось отправить запрос на отмену.\n\n{0}", + "reputation.accountAge.tab3" to "Импорт", + "reputation.accountAge.tab2" to "Счет", + "reputation.score" to "Счет", + "reputation.accountAge.tab1" to "Почему", + "reputation.accountAge.import.step4.signedMessage" to "Json данные от Bisq 1", + "reputation.request.error" to "Не удалось запросить авторизацию. Текст из буфера обмена:\n{0}", + "reputation.signedWitness.import.step3.instruction1" to "3.1. - Откройте Bisq 1 и перейдите в 'УЧЕТНАЯ ЗАПИСЬ/СЧЕТА В НАЦИОНАЛЬНОЙ ВАЛЮТЕ'.", + "user.bondedRoles.type.MEDIATOR.about.info" to "Если в сделке Bisq Easy возникают конфликты, трейдеры могут запросить помощь у медиатора.\nМедиатор не имеет полномочий для принуждения и может только попытаться помочь в поиске взаимовыгодного решения. В случае явных нарушений правил торговли или попыток мошенничества медиатор может предоставить информацию модератору для блокировки недобросовестного участника сети.\nМедиаторы и арбитры из Bisq 1 могут стать медиаторами Bisq 2 без необходимости блокировки нового залога BSQ.", + "reputation.signedWitness.import.step3.instruction3" to "3.3. - Это создаст json-данные с подписью вашего Bisq 2 Profile ID и скопирует их в буфер обмена.", + "user.bondedRoles.table.columns.role" to "Роль", + "reputation.accountAge.import.step1.instruction" to "Выберите профиль пользователя, к которому вы хотите привязать репутацию.", + "reputation.signedWitness.import.step3.instruction2" to "3.2. - Выберите самый старый аккаунт и нажмите 'ЭКСПОРТИРОВАТЬ ПОДПИСАННОЕ СВИДЕТЕЛЬСТВО ДЛЯ BISQ 2'.", + "reputation.accountAge.import.step2.instruction" to "Скопируйте идентификатор профиля, чтобы вставить его в Bisq 1.", + "reputation.signedWitness.score.info" to "Импорт 'свидетельства о возрасте подписанного аккаунта' считается слабой формой репутации, которая представлена весовым коэффициентом. 'Свидетельство о возрасте подписанного аккаунта' должно быть как минимум 61 день, и существует предел в 2000 дней для расчета балла.", + "user.bondedRoles.type.SECURITY_MANAGER" to "Менеджер по безопасности", + "reputation.accountAge.import.step4.instruction" to "Вставьте json данные из предыдущего шага", + "reputation.buildReputation.intro.part1.formula.footnote" to "* Конвертировано в используемую валюту.", + "user.bondedRoles.type.SECURITY_MANAGER.about.inline" to "менеджер безопасности", + "user.bondedRoles.type.MARKET_PRICE_NODE.about.info" to "Узел рыночной цены предоставляет рыночные данные от агрегатора рыночных цен Bisq.", + "reputation.burnedBsq.score.headline" to "Влияние на репутацию", + "user.bondedRoles.type.MODERATOR.about.inline" to "модератор", + "reputation.burnedBsq.infoHeadline" to "Кожа в игре", + "user.bondedRoles.type.ARBITRATOR.about.inline" to "арбитр", + "user.bondedRoles.registration.how.info.node" to "9. Скопируйте файл 'default_node_address.json' из каталога данных узла, который вы хотите зарегистрировать, на ваш жесткий диск и откройте его с помощью кнопки 'Импортировать адрес узла'.\n10. Нажмите кнопку 'Запросить регистрацию'. Если все было правильно, ваша регистрация станет видимой в таблице Зарегистрированные сетевые узлы.", + "user.bondedRoles.type.MODERATOR" to "Модератор", + "reputation.buildReputation.intro.part2" to "Если продавец размещает предложение с суммой, не покрытой его репутацией, покупатель увидит предупреждение о потенциальных рисках при принятии этого предложения.", + "reputation.buildReputation.intro.part1" to "Модель безопасности Bisq Easy основывается на репутации продавца. Это связано с тем, что во время сделки покупатель сначала отправляет сумму в фиатной валюте, поэтому продавец должен предоставить репутацию для установления определенного уровня безопасности.\nПродавец может принимать предложения до суммы, основанной на его репутационном балле.\nОн рассчитывается следующим образом:", + "user.bondedRoles.type.SEED_NODE" to "Посевной узел", + "reputation.bond.infoHeadline2" to "Какова рекомендуемая сумма и время блокировки?", + "reputation.bond.tab2" to "Счет", + "reputation.bond.tab1" to "Почему", + "reputation" to "Репутация", + "user.bondedRoles.registration.showInfo" to "Показать инструкции", + "reputation.bond.tab3" to "Как сделать", + "user.bondedRoles.table.columns.isBanned" to "Заблокирован", + "reputation.burnedBsq.totalScore" to "Сожженная сумма BSQ * вес * (1 + возраст / 365)", + "reputation.request" to "Запросить авторизацию", + "user.bondedRoles.type.MARKET_PRICE_NODE.how.inline" to "оператор узла рыночной цены", + "reputation.reputationScore.explanation.stars.title" to "Звезды", + "user.bondedRoles.type.MEDIATOR" to "Медиатор", + "reputation.buildReputation" to "Построить репутацию", + "reputation.buildReputation.accountAge.title" to "Возраст аккаунта", + "reputation.source.BSQ_BOND" to "Обеспеченный BSQ", + "reputation.table.columns.details.popup.headline" to "Детали репутации", + "user.bondedRoles.type.RELEASE_MANAGER.about.info" to "Менеджер релиза может отправлять уведомления, когда новая версия доступна.", + "reputation.accountAge.infoHeadline" to "Предоставьте доверие", + "reputation.accountAge.import.step4.title" to "Шаг 4", + "user.bondedRoles.type.SEED_NODE.about.inline" to "оператор узла-источника", + "reputation.sim.burnAmount.prompt" to "Введите количество BSQ", + "reputation.score.formulaHeadline" to "Репутация рассчитывается следующим образом:", + "reputation.buildReputation.accountAge.button" to "Узнайте, как импортировать возраст аккаунта", + "reputation.signedWitness.tab2" to "Счет", + "reputation.signedWitness.tab1" to "Почему", + "reputation.table.columns.reputation" to "Репутация", + "user.bondedRoles.verification.howTo.instruction" to "1. Откройте Bisq 1 и перейдите в 'DAO/Облигации/Обязанности по облигациям', выберите роль по имени пользователя и типу роли.\n2. Нажмите кнопку проверки, скопируйте идентификатор профиля и вставьте его в поле сообщения.\n3. Скопируйте подпись и вставьте ее в поле подписи в Bisq 1.\n4. Нажмите кнопку проверки. Если проверка подписи прошла успешно, роль по облигации действительна.", + "reputation.signedWitness.tab3" to "Как сделать", + "reputation.buildReputation.title" to "Как продавцы могут повысить свою репутацию?", + "reputation.buildReputation.bsqBond.button" to "Узнайте, как связать BSQ", + "reputation.burnedBsq.infoHeadline2" to "Какова рекомендуемая сумма для сжигания?", + "reputation.signedWitness.import.step4.signedMessage" to "Json данные от Bisq 1", + "reputation.buildReputation.burnBsq.button" to "Узнайте, как сжигать BSQ", + "reputation.accountAge.score.info" to "Импорт 'возраста аккаунта' считается довольно слабой формой репутации, которая представлена низким весовым коэффициентом. Существует предел в 2000 дней для расчета счета.", + "reputation.reputationScore.intro" to "В этом разделе объясняется репутация Bisq, чтобы вы могли принимать обоснованные решения при принятии предложения.", + "user.bondedRoles.registration.bondHolderName" to "Имя пользователя держателя облигации", + "user.bondedRoles.type.SEED_NODE.about.info" to "Сид-узел предоставляет сетевые адреса участников сети для загрузки в сеть Bisq 2 P2P.\nЭто необходимо при первом запуске, так как в этот момент у нового пользователя еще нет сохраненных данных для подключения к другим узлам.\nОн также предоставляет данные P2P сети, такие как сообщения чата, новому подключающемуся пользователю. Эта служба доставки данных также выполняется любым другим узлом сети, однако, поскольку сид-узлы имеют круглосуточную доступность и высокий уровень качества обслуживания, они обеспечивают большую стабильность и лучшую производительность, что приводит к более комфортному процессу загрузки.\nОператоры сид-узлов из Bisq 1 могут стать операторами сид-узлов Bisq 2 без блокировки нового залога BSQ.", + "reputation.table.headline" to "Рейтинг репутации", + "user.bondedRoles.type.SECURITY_MANAGER.how.inline" to "менеджер по безопасности", + "reputation.buildReputation.bsqBond.description" to "Похоже на сжигание BSQ, но с использованием возвратных облигаций BSQ.\nBSQ необходимо заблокировать на минимальный срок 50,000 блоков (примерно 1 год).", + "user.bondedRoles.registration.node.addressInfo.prompt" to "Импортируйте файл 'default_node_address.json' из директории данных узла.", + "user.bondedRoles.registration.node.privKey" to "Приватный ключ", + "user.bondedRoles.registration.headline" to "Запросить регистрацию", + "reputation.sim.lockTime" to "Время блокировки в блоках", + "reputation.bond" to "Облигации BSQ", + "user.bondedRoles.registration.signature.prompt" to "Вставьте подпись из вашей связанной роли", + "reputation.buildReputation.burnBsq.title" to "Сжигание BSQ", + "user.bondedRoles.table.columns.node.address" to "Адрес", + "reputation.reputationScore.explanation.score.title" to "Оценка", + "user.bondedRoles.type.MARKET_PRICE_NODE" to "Узел рыночных цен", + "reputation.bond.info2" to "Время блокировки должно составлять как минимум 50 000 блоков, что примерно равно 1 году, чтобы считаться действительным залогом. Сумму может выбрать пользователь, и она будет определять рейтинг среди других продавцов. Продавцы с наивысшим баллом репутации будут иметь лучшие торговые возможности и смогут получить более высокую ценовую премию. Лучшие предложения, ранжированные по репутации, будут продвигаться в выборе предложений в 'Мастере торговли'.", + "reputation.accountAge.info2" to "Связывание вашего аккаунта Bisq 1 с Bisq 2 имеет некоторые последствия для вашей конфиденциальности. Для проверки вашего 'возраста аккаунта' ваша идентичность Bisq 1 криптографически связывается с вашим идентификатором профиля Bisq 2.\nОднако, раскрытие ограничено 'узлом моста Bisq 1', который управляется участником Bisq, установившим залог BSQ (обязанная роль).\n\nВозраст аккаунта является альтернативой для тех, кто не хочет использовать сожженные BSQ или залоги BSQ из-за финансовых затрат. 'Возраст аккаунта' должен быть как минимум несколько месяцев, чтобы отразить определенный уровень доверия.", + "reputation.signedWitness.score.headline" to "Влияние на репутацию", + "reputation.accountAge.info" to "Связывая ваш аккаунт Bisq 1 с 'возрастом аккаунта', вы можете предоставить некоторый уровень доверия. Существуют разумные ожидания, что пользователь, который использовал Bisq в течение некоторого времени, является честным пользователем. Но это ожидание слабее по сравнению с другими формами репутации, где пользователь предоставляет более сильные доказательства с использованием некоторых финансовых ресурсов.", + "reputation.reputationScore.closing" to "Для получения дополнительной информации о том, как продавец построил свою репутацию, смотрите раздел 'Рейтинг' и нажмите 'Показать детали' у пользователя.", + "user.bondedRoles.cancellation.success" to "Запрос на отмену был успешно отправлен. Вы увидите в таблице ниже, был ли запрос на отмену успешно проверен и роль удалена узлом оракула.", + "reputation.buildReputation.intro.part1.formula.output" to "Максимальная сумма сделки в USD *", + "reputation.buildReputation.signedAccount.title" to "Свидетельство о возрасте подписанного аккаунта", + "reputation.signedWitness.infoHeadline" to "Предоставьте доверие", + "user.bondedRoles.type.EXPLORER_NODE.about.info" to "Узел обозревателя блокчейна используется в Bisq Easy для поиска транзакций Bitcoin.", + "reputation.buildReputation.signedAccount.description" to "Пользователи Bisq 1 могут получить репутацию, импортировав возраст своей подписанной учетной записи из Bisq 1 в Bisq 2.", + "reputation.burnedBsq.score.info" to "Сжигание BSQ считается самой сильной формой репутации, которая представлена высоким весовым коэффициентом. В течение первого года применяется временной бонус, постепенно увеличивающий оценку до двойного значения.", + "reputation.accountAge" to "Возраст аккаунта", + "reputation.burnedBsq.howTo" to "1. Выберите профиль пользователя, к которому вы хотите прикрепить репутацию.\n2. Скопируйте 'ID профиля'\n3. Откройте Bisq 1 и перейдите в 'DAO/ДОКАЗАТЕЛЬСТВО СЖИГАНИЯ' и вставьте скопированное значение в поле 'предварительное изображение'.\n4. Введите количество BSQ, которое вы хотите сжечь.\n5. Опубликуйте транзакцию по сжиганию BSQ.\n6. После подтверждения в блокчейне ваша репутация станет видимой в вашем профиле.", + "user.bondedRoles.type.ARBITRATOR.how.inline" to "арбитр", + "user.bondedRoles.type.RELEASE_MANAGER" to "Менеджер по выпуску", + "reputation.bond.info" to "Настраивая залог BSQ, вы предоставляете доказательство того, что заблокировали средства для получения репутации.\nТранзакция залога BSQ содержит хэш публичного ключа вашего профиля. В случае злонамеренного поведения ваш залог может быть конфискован DAO, а ваш профиль может быть заблокирован.", + "reputation.weight" to "Вес", + "reputation.buildReputation.bsqBond.title" to "Облигация BSQ", + "reputation.sim.age" to "Возраст в днях", + "reputation.burnedBsq.howToHeadline" to "Процесс сжигания BSQ", + "reputation.bond.howToHeadline" to "Процесс настройки облигации BSQ", + "reputation.sim.age.prompt" to "Введите возраст в днях", + "user.bondedRoles.type.SECURITY_MANAGER.about.info" to "Менеджер по безопасности может отправить сообщение об оповещении в случае чрезвычайных ситуаций.", + "reputation.bond.score.info" to "Установка залога BSQ считается сильной формой репутации. \nВремя блокировки должно составлять не менее: 50 000 блоков (примерно 1 год). В течение первого года применяется временной бонус, постепенно увеличивающий балл до двойного его начального значения.", + "reputation.signedWitness" to "Подписанный свидетель возраста аккаунта", + "user.bondedRoles.registration.about.headline" to "О роли {0}", + "user.bondedRoles.registration.hideInfo" to "Скрыть инструкции", + "reputation.source.BURNED_BSQ" to "Сожженные BSQ", + "reputation.buildReputation.learnMore" to "Узнайте больше о системе репутации Bisq на", + "reputation.reputationScore.explanation.stars.description" to "Это графическое представление оценки. См. таблицу преобразования ниже, чтобы узнать, как рассчитываются звезды.\nРекомендуется торговать с продавцами, у которых наибольшее количество звезд.", + "reputation.burnedBsq.tab1" to "Почему", + "reputation.burnedBsq.tab3" to "Как сделать", + "reputation.burnedBsq.tab2" to "Счет", + "user.bondedRoles.registration.node.addressInfo" to "Данные адреса узла", + "reputation.buildReputation.signedAccount.button" to "Узнайте, как импортировать подписанный аккаунт", + "user.bondedRoles.type.ORACLE_NODE.about.info" to "Узел оракула используется для предоставления данных Bisq 1 и DAO для случаев использования Bisq 2, таких как репутация.", + "reputation.buildReputation.intro.part1.formula.input" to "Репутация", + "reputation.signedWitness.import.step2.title" to "Шаг 2", + "reputation.table.columns.reputationScore" to "Репутация", + "user.bondedRoles.table.columns.node.address.openPopup" to "Открыть всплывающее окно с данными адреса", + "reputation.sim.lockTime.prompt" to "Введите время блокировки", + "reputation.sim.score" to "Общий балл", + "reputation.accountAge.import.step3.title" to "Шаг 3", + "reputation.signedWitness.info2" to "Связывание вашей учетной записи Bisq 1 с Bisq 2 имеет некоторые последствия для вашей конфиденциальности. Для проверки вашего 'свидетельства о возрасте подписанной учетной записи' ваша идентичность Bisq 1 криптографически связывается с вашим идентификатором профиля Bisq 2.\nТем не менее, раскрытие ограничено 'узлом моста Bisq 1', который управляется участником Bisq, который настроил залог BSQ (обязанная роль).\n\nСвидетельство о возрасте подписанной учетной записи является альтернативой для тех, кто не хочет использовать сожженные BSQ или облигации BSQ из-за финансового бремени. 'Свидетельство о возрасте подписанной учетной записи' должно быть как минимум 61 день, чтобы быть учтенным для репутации.", + "user.bondedRoles.type.RELEASE_MANAGER.how.inline" to "менеджер по релизам", + "user.bondedRoles.table.columns.oracleNode" to "Узел Oracle", + "reputation.accountAge.import.step2.title" to "Шаг 2", + "user.bondedRoles.type.MODERATOR.about.info" to "Пользователи чата могут сообщать о нарушениях правил чата или торговли модератору.\nЕсли предоставленная информация достаточна для проверки нарушения правила, модератор может забанить этого пользователя в сети.\nВ случае серьезных нарушений со стороны продавца, который заработал какую-либо репутацию, репутация становится недействительной, и соответствующие исходные данные (такие как транзакция DAO или данные о возрасте аккаунта) будут внесены в черный список в Bisq 2 и сообщены обратно в Bisq 1 оператором оракула, и пользователь также будет забанен в Bisq 1.", + "reputation.source.PROFILE_AGE" to "Возраст профиля", + "reputation.bond.howTo" to "1. Выберите профиль пользователя, к которому вы хотите прикрепить репутацию.\n2. Скопируйте 'идентификатор профиля'\n3. Откройте Bisq 1 и перейдите в 'DAO/ЗАЯЧИВАНИЕ/ЗАЯЧИВАННАЯ РЕПУТАЦИЯ' и вставьте скопированное значение в поле 'соль'.\n4. Введите количество BSQ, которое вы хотите заблокировать, и время блокировки (50 000 блоков).\n5. Опубликуйте транзакцию блокировки.\n6. После подтверждения в блокчейне ваша репутация станет видимой в вашем профиле.", + "reputation.table.columns.details" to "Детали", + "reputation.details.table.columns.score" to "Очки", + "reputation.bond.infoHeadline" to "Кожа в игре", + "user.bondedRoles.registration.node.showKeyPair" to "Показать пару ключей", + "user.bondedRoles.table.columns.userProfile.defaultNode" to "Оператор узла с статически предоставленным ключом", + "reputation.signedWitness.import.step1.title" to "Шаг 1", + "user.bondedRoles.type.MODERATOR.how.inline" to "модератор", + "user.bondedRoles.cancellation.requestCancellation" to "Запросить отмену", + "user.bondedRoles.verification.howTo.nodes" to "Как проверить сетевой узел?", + "user.bondedRoles.registration.how.info" to "1. Выберите профиль пользователя, который вы хотите использовать для регистрации, и создайте резервную копию вашего каталога данных.\n3. Сделайте предложение на 'https://github.com/bisq-network/proposals', чтобы стать {0} и добавьте свой идентификатор профиля в предложение.\n4. После того как ваше предложение будет рассмотрено и получит поддержку от сообщества, сделайте предложение в DAO для получения связанной роли.\n5. После того как ваше предложение в DAO будет принято на голосовании DAO, заблокируйте необходимый залог BSQ.\n6. После подтверждения вашей транзакции залога перейдите в 'DAO/Связывание/Связанные роли' в Bisq 1 и нажмите кнопку подписания, чтобы открыть окно подписи.\n7. Скопируйте идентификатор профиля и вставьте его в поле сообщения. Нажмите подписать и скопируйте подпись. Вставьте подпись в поле подписи Bisq 2.\n8. Введите имя пользователя залогодателя.\n{1}", + "reputation.accountAge.score.headline" to "Влияние на репутацию", + "user.bondedRoles.table.columns.userProfile" to "Профиль пользователя", + "reputation.accountAge.import.step1.title" to "Шаг 1", + "reputation.signedWitness.import.step3.title" to "Шаг 3", + "user.bondedRoles.registration.profileId" to "Идентификатор профиля", + "user.bondedRoles.type.ARBITRATOR" to "Арбитр", + "user.bondedRoles.type.ORACLE_NODE.how.inline" to "оператор узла оракула", + "reputation.pubKeyHash" to "Идентификатор профиля", + "reputation.reputationScore.sellerReputation" to "Репутация продавца — это лучший сигнал\nдля прогнозирования вероятности успешной сделки в Bisq Easy.", + "user.bondedRoles.table.columns.signature" to "Подпись", + "user.bondedRoles.registration.node.pubKey" to "Публичный ключ", + "user.bondedRoles.type.EXPLORER_NODE.about.inline" to "оператор узла-эксплорера", + "user.bondedRoles.table.columns.profileId" to "Идентификатор профиля", + "user.bondedRoles.type.MARKET_PRICE_NODE.about.inline" to "оператор узла рыночной цены", + "reputation.source.BISQ1_SIGNED_ACCOUNT_AGE_WITNESS" to "Подписанный свидетель", + "reputation.accountAge.import.step3.instruction1" to "3.1. - Откройте Bisq 1 и перейдите в 'АККАУНТ/АККАУНТЫ НАЛИЧНОЙ ВАЛЮТЫ'.", + "reputation.accountAge.import.step3.instruction2" to "3.2. - Выберите самый старый аккаунт и нажмите 'ЭКСПОРТ УВЕДОМЛЕНИЯ О ВРЕМЕНИ СОЗДАНИЯ АККАУНТА ДЛЯ BISQ 2'.", + "reputation.accountAge.import.step3.instruction3" to "3.3. - Это создаст json-данные с подписью вашего Bisq 2 Profile ID и скопирует их в буфер обмена.", + "user.bondedRoles.table.columns.node.address.popup.headline" to "Данные адреса узла", + "reputation.reputationScore.explanation.score.description" to "Это общий балл, который продавец накопил до сих пор.\nБаллы можно увеличить несколькими способами. Лучший способ сделать это — сжигать или ставить BSQ. Это означает, что продавец внес залог заранее и, как результат, может считаться надежным.\nДополнительную информацию о том, как увеличить балл, можно найти в разделе 'Построить репутацию'.\nРекомендуется торговать с продавцами, у которых самый высокий балл.", + "reputation.details.table.columns.source" to "Тип", + "reputation.sim.burnAmount" to "Сумма BSQ", + "reputation.buildReputation.burnBsq.description" to "Это самая сильная форма репутации.\nОценка, полученная за сжигание BSQ, удваивается в течение первого года.", + "user.bondedRoles.registration.failed" to "Не удалось отправить запрос на регистрацию.\n\n{0}", + "user.bondedRoles.type.ORACLE_NODE" to "Узел Oracle", + "user.bondedRoles.table.headline.nodes" to "Зарегистрированные узлы сети", + "user.bondedRoles.headline.nodes" to "Узлы сети", + "user.bondedRoles.registration.bondHolderName.prompt" to "Введите имя пользователя держателя облигации Bisq 1", + "reputation.burnedBsq.info2" to "Это будет определяться конкуренцией между продавцами. Продавцы с наивысшим уровнем репутации будут иметь лучшие торговые возможности и смогут получить более высокую ценовую надбавку. Лучшие предложения, ранжированные по репутации, будут продвигаться в выборе предложений в 'Мастере торговли'.", + "reputation.reputationScore.explanation.ranking.title" to "Рейтинг", + "reputation.sim.headline" to "Инструмент симуляции:", + "reputation.accountAge.totalScore" to "Возраст аккаунта в днях * вес", + "user.bondedRoles.table.columns.node" to "Узел", + "user.bondedRoles.verification.howTo.roles" to "Как подтвердить связанную роль?", + "reputation.signedWitness.import.step2.profileId" to "Идентификатор профиля (Вставьте на экране аккаунта в Bisq 1)", + "reputation.bond.totalScore" to "Сумма BSQ * вес * (1 + возраст / 365)", + "user.bondedRoles.type.ORACLE_NODE.about.inline" to "оператор узла-оракула", + "reputation.table.columns.userProfile" to "Профиль пользователя", + "user.bondedRoles.registration.signature" to "Подпись", + "reputation.table.columns.livenessState" to "Последняя активность пользователя", + "user.bondedRoles.table.headline.roles" to "Зарегистрированные связанные роли", + "reputation.signedWitness.import.step4.title" to "Шаг 4", + "user.bondedRoles.type.EXPLORER_NODE" to "Узел проводника", + "user.bondedRoles.type.MEDIATOR.about.inline" to "медиатор", + "user.bondedRoles.type.EXPLORER_NODE.how.inline" to "оператор узла-исследователя", + "user.bondedRoles.registration.success" to "Запрос на регистрацию был успешно отправлен. Вы увидите в таблице ниже, была ли регистрация успешно проверена и опубликована узлом оракула.", + "reputation.signedWitness.infoHeadline2" to "Последствия для конфиденциальности", + "user.bondedRoles.type.SEED_NODE.how.inline" to "оператор узла-начальника", + "reputation.buildReputation.headline" to "Построить репутацию", + "reputation.reputationScore.headline" to "Репутация", + "user.bondedRoles.registration.node.importAddress" to "Импортировать адрес узла", + "user.bondedRoles.registration.how.info.role" to "9. Нажмите кнопку 'Запросить регистрацию'. Если все было правильно, ваша регистрация станет видимой в таблице Зарегистрированные связанные роли.", + "user.bondedRoles.table.columns.bondUserName" to "Имя пользователя Bond", + ), + "chat" to mapOf( + "chat.message.wasEdited" to "(отредактировано)", + "support.support.description" to "Канал для вопросов поддержки", + "chat.sideBar.userProfile.headline" to "Профиль пользователя", + "chat.message.reactionPopup" to "отреагировал с", + "chat.listView.scrollDown" to "Прокрутите вниз", + "chat.message.privateMessage" to "Отправить личное сообщение", + "chat.notifications.offerTaken.message" to "Торговый идентификатор: {0}", + "discussion.bisq.description" to "Публичный канал для обсуждений", + "chat.reportToModerator.info" to "Пожалуйста, ознакомьтесь с правилами торговли и убедитесь, что причина сообщения считается нарушением этих правил.\nВы можете ознакомиться с правилами торговли и правилами чата, нажав на значок знака вопроса в правом верхнем углу на экранах чата.", + "chat.notificationsSettingsMenu.all" to "Все сообщения", + "chat.message.deliveryState.ADDED_TO_MAILBOX" to "Сообщение добавлено в почтовый ящик собеседника.", + "chat.channelDomain.SUPPORT" to "Поддержка", + "chat.sideBar.userProfile.ignore" to "Игнорировать", + "chat.sideBar.channelInfo.notifications.off" to "Отключено", + "support.support.title" to "Помощь", + "discussion.bitcoin.title" to "Биткойн", + "chat.ignoreUser.warn" to "Если выбрать \"Игнорировать пользователя\", то все сообщения от этого пользователя будут скрыты.\n\nЭто действие вступит в силу при следующем входе в чат.\n\nЧтобы отменить это действие, перейдите в меню \"Дополнительные параметры\" > \"Информация о канале\" > \"Участники\" и выберите \"Отменить игнорирование\" рядом с пользователем.", + "events.meetups.description" to "Канал для объявлений о встречах", + "chat.message.deliveryState.FAILED" to "Отправка сообщения не удалась.", + "chat.sideBar.channelInfo.notifications.all" to "Все сообщения", + "discussion.bitcoin.description" to "Канал для обсуждения биткойна", + "chat.message.input.prompt" to "Введите новое сообщение", + "chat.channelDomain.BISQ_EASY_OFFERBOOK" to "Bisq Легко", + "chat.message.takeOffer.buyer.makersReputationScoreTooLow.no" to "Нет, я ищу другое предложение", + "chat.ellipsisMenu.tradeGuide" to "Руководство по торговле", + "chat.chatRules.content" to "- Будьте уважительны: Относитесь к другим по-доброму, избегайте оскорбительных выражений, личных нападок и преследований.- Будьте терпимы: Сохраняйте открытость и принимайте то, что у других могут быть другие взгляды, культурные особенности и опыт.- Не спамьте: Воздержитесь от переполнения чата повторяющимися или неактуальными сообщениями.- Без рекламы: Избегайте продвижения коммерческих продуктов, услуг или размещения рекламных ссылок.- Не троллить: Деструктивное поведение и намеренные провокации не приветствуются.- Не выдавать себя за других: Не используйте псевдонимы, которые вводят других в заблуждение, заставляя думать, что вы - известная личность.- Уважайте частную жизнь: Защищайте свою и чужую частную жизнь; не делитесь торговыми деталями.- Сообщайте о нарушениях: Сообщайте модератору о нарушениях правил или неподобающем поведении.- Наслаждайтесь чатом: Участвуйте в содержательных дискуссиях, заводите друзей и весело проводите время в дружелюбном и инклюзивном сообществе.\n\nУчаствуя в чате, вы соглашаетесь следовать этим правилам.\nСерьезные нарушения правил могут привести к запрету доступа в сеть Bisq.", + "chat.messagebox.noChats.placeholder.description" to "Присоединяйтесь к обсуждению на {0}, чтобы поделиться своими мыслями и задать вопросы.", + "chat.channelDomain.BISQ_EASY_OPEN_TRADES" to "Bisq Легкая торговля", + "chat.message.deliveryState.MAILBOX_MSG_RECEIVED" to "Клиент загрузил сообщение почтового ящика.", + "chat.message.takeOffer.buyer.makersReputationScoreTooLow.warning" to "Оценка репутации продавца {0} ниже необходимой оценки {1} для суммы сделки {2}.\n\nМодель безопасности Bisq Easy основывается на репутации продавца, так как покупатель должен сначала отправить фиатную валюту. Если вы решите продолжить и принять это предложение, несмотря на недостаток репутации, убедитесь, что вы полностью понимаете связанные риски.\n\nЧтобы узнать больше о системе репутации, посетите: [HYPERLINK:https://bisq.wiki/Репутация].\n\nВы хотите продолжить и принять это предложение?", + "chat.message.input.send" to "Отправить сообщение", + "chat.message.send.offerOnly.warn" to "Вы выбрали опцию \"Только предложения\". Обычные текстовые сообщения в этом режиме не отображаются.\n\nХотите ли вы изменить режим, чтобы видеть все сообщения?", + "chat.notificationsSettingsMenu.title" to "Параметры уведомлений", + "chat.notificationsSettingsMenu.globalDefault" to "Использовать по умолчанию", + "chat.privateChannel.message.leave" to "{0} покинул этот чат", + "chat.channelDomain.BISQ_EASY_PRIVATE_CHAT" to "Bisq Легко", + "chat.sideBar.userProfile.profileAge" to "Возраст профиля", + "events.tradeEvents.description" to "Канал для объявлений о торговых мероприятиях", + "chat.sideBar.userProfile.mention" to "Упоминание", + "chat.notificationsSettingsMenu.off" to "Отключено", + "chat.private.leaveChat.confirmation" to "Вы уверены, что хотите покинуть этот чат?\nВы потеряете доступ к чату и всей его информации.", + "chat.reportToModerator.message.prompt" to "Введите сообщение для модератора", + "chat.message.resendMessage" to "Нажмите, чтобы отправить сообщение повторно.", + "chat.reportToModerator.headline" to "Сообщить модератору", + "chat.sideBar.userProfile.livenessState" to "Последняя активность пользователя", + "chat.privateChannel.changeUserProfile.warn" to "Вы находитесь в приватном чат-канале, который был создан с профилем пользователя ''{0}''.\n\nВы не можете изменить профиль пользователя, находясь в этом чат-канале.", + "chat.message.contextMenu.ignoreUser" to "Игнорировать пользователя", + "chat.message.contextMenu.reportUser" to "Сообщить модератору о пользователе", + "chat.leave.info" to "Вы собираетесь покинуть этот чат.", + "chat.messagebox.noChats.placeholder.title" to "Начните разговор!", + "support.questions.description" to "Канал для помощи в заключении сделок", + "chat.message.deliveryState.CONNECTING" to "Связь с равными.", + "chat.message.takeOffer.buyer.makersReputationScoreTooLow.yes" to "Да, я понимаю риск и хочу продолжить", + "discussion.markets.title" to "Рынки", + "chat.notificationsSettingsMenu.tooltip" to "Параметры уведомлений", + "chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.warning" to "Оценка репутации продавца составляет {0}, что ниже требуемой оценки {1} для суммы сделки {2}.\n\nПоскольку сумма сделки относительно низкая, требования к репутации были ослаблены. Однако, если вы решите продолжить, несмотря на недостаточную репутацию продавца, убедитесь, что вы полностью понимаете связанные риски. Модель безопасности Bisq Easy зависит от репутации продавца, так как покупатель должен сначала отправить фиатную валюту.\n\nЧтобы узнать больше о системе репутации, посетите: [HYPERLINK:https://bisq.wiki/Репутация].\n\nВы все еще хотите принять предложение?", + "chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.yes" to "Да, я понимаю риск и хочу продолжить", + "chat.message.supportedLanguages" to "Поддерживаемые языки:", + "chat.sideBar.userProfile.totalReputationScore" to "Общая оценка репутации", + "chat.topMenu.chatRules.tooltip" to "Правила открытого чата", + "support.reports.description" to "Канал для сообщений об инцидентах и мошенничестве", + "events.podcasts.title" to "Подкасты", + "chat.sideBar.userProfile.statement" to "Заявление", + "chat.sideBar.userProfile.sendPrivateMessage" to "Отправить личное сообщение", + "chat.sideBar.userProfile.undoIgnore" to "Отменить игнорирование", + "chat.channelDomain.DISCUSSION" to "Обсуждения", + "chat.message.delete.differentUserProfile.warn" to "Это сообщение чата было создано в другом профиле пользователя.\n\nВы хотите удалить это сообщение?", + "chat.message.moreOptions" to "Дополнительные опции", + "chat.private.messagebox.noChats.title" to "{0} приватные чаты", + "chat.reportToModerator.report" to "Сообщить модератору", + "chat.message.deliveryState.ACK_RECEIVED" to "Получение сообщения подтверждено.", + "events.tradeEvents.title" to "Торговля", + "discussion.bisq.title" to "Обсуждения", + "chat.private.messagebox.noChats.placeholder.title" to "У вас нет никаких постоянных разговоров", + "chat.sideBar.userProfile.id" to "Идентификатор пользователя", + "chat.sideBar.userProfile.transportAddress" to "Транспортный адрес", + "chat.sideBar.userProfile.version" to "Версия", + "chat.listView.scrollDown.newMessages" to "Прокрутите вниз, чтобы прочитать новые сообщения", + "chat.sideBar.userProfile.nym" to "Идентификатор бота", + "chat.message.takeOffer.seller.myReputationScoreTooLow.warning" to "Ваши оценки репутации {0} и ниже требуемой оценки репутации {1} для суммы сделки {2}.\n\nМодель безопасности Bisq Easy основана на репутации продавца.\nЧтобы узнать больше о системе репутации, посетите: [HYPERLINK:https://bisq.wiki/Репутация].\n\nВы можете узнать больше о том, как повысить свою репутацию в разделе ''Репутация/Построение репутации''.", + "chat.private.messagebox.noChats.placeholder.description" to "Чтобы пообщаться со сверстником в приватном чате, наведите курсор на его сообщение в\nв публичном чате и нажмите \"Отправить личное сообщение\".", + "chat.message.takeOffer.seller.myReputationScoreTooLow.headline" to "Ваша оценка репутации слишком низка для принятия этого предложения", + "chat.sideBar.channelInfo.participants" to "Участники", + "events.podcasts.description" to "Канал для анонсов подкастов", + "chat.message.deliveryState.SENT" to "Сообщение отправлено (получение еще не подтверждено).", + "chat.message.offer.offerAlreadyTaken.warn" to "Вы уже приняли это предложение.", + "chat.message.supportedLanguages.Tooltip" to "Поддерживаемые языки", + "chat.ellipsisMenu.channelInfo" to "Информация о канале", + "discussion.markets.description" to "Канал для обсуждения рынков и цен", + "chat.topMenu.tradeGuide.tooltip" to "Руководство по открытой торговле", + "chat.sideBar.channelInfo.notifications.mention" to "Если упоминается", + "chat.message.send.differentUserProfile.warn" to "Вы использовали другой профиль пользователя в этом канале.\n\nВы уверены, что хотите отправить это сообщение с выбранным профилем пользователя?", + "events.meetups.title" to "Встречи", + "chat.message.citation.headline" to "Отвечая на:", + "chat.notifications.offerTaken.title" to "Ваше предложение было принято {0}", + "chat.message.takeOffer.buyer.makersReputationScoreTooLow.headline" to "Предупреждение о безопасности", + "chat.ignoreUser.confirm" to "Игнорировать пользователя", + "chat.chatRules.headline" to "Правила чата", + "discussion.offTopic.description" to "Канал для разговоров не по теме", + "chat.leave.confirmLeaveChat" to "Покинуть чат", + "chat.sideBar.channelInfo.notifications.globalDefault" to "Использовать по умолчанию", + "support.reports.title" to "Отчет", + "chat.message.reply" to "Ответить", + "support.questions.title" to "Помощь", + "chat.sideBar.channelInfo.notification.options" to "Параметры уведомлений", + "chat.reportToModerator.message" to "Сообщение для модератора", + "chat.sideBar.userProfile.terms" to "Торговые условия", + "chat.leave" to "Нажмите здесь, чтобы выйти", + "chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.headline" to "Пожалуйста, ознакомьтесь с рисками при принятии этого предложения", + "events.conferences.description" to "Канал для объявлений о конференциях", + "discussion.offTopic.title" to "Не в теме", + "chat.ellipsisMenu.chatRules" to "Правила чата", + "chat.notificationsSettingsMenu.mention" to "Если упоминается", + "events.conferences.title" to "Конференции", + "chat.ellipsisMenu.tooltip" to "Дополнительные опции", + "chat.private.openChatsList.headline" to "Общайтесь с коллегами", + "chat.notifications.privateMessage.headline" to "Личное сообщение", + "chat.channelDomain.EVENTS" to "События", + "chat.sideBar.userProfile.report" to "Сообщить модератору", + "chat.message.deliveryState.TRY_ADD_TO_MAILBOX" to "Попытка добавить сообщение в почтовый ящик собеседника.", + "chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.no" to "Нет, я ищу другое предложение", + "chat.private.title" to "Приватные чаты", + ), + "support" to mapOf( + "support.resources.guides.headline" to "Руководства", + "support.resources.resources.community" to "Сообщество Bisq в Matrix", + "support.resources.backup.headline" to "Резервное копирование", + "support.resources.backup.setLocationButton" to "Установить местоположение резервной копии", + "support.resources.resources.contribute" to "Как внести вклад в Bisq", + "support.resources.backup.location.prompt" to "Установить местоположение резервной копии", + "support.resources.legal.license" to "Лицензия на программное обеспечение (AGPLv3)", + "support.resources" to "Ресурсы", + "support.resources.backup.backupButton" to "Создать резервную копию директории данных Bisq", + "support.resources.backup.destinationNotExist" to "Расположение резервной копии ''{0}'' не существует", + "support.resources.backup.selectLocation" to "Выбрать место для резервного копирования", + "support.resources.backup.location.invalid" to "Путь к месту резервного копирования недействителен", + "support.resources.legal.headline" to "Юридические", + "support.resources.resources.webpage" to "Веб-страница Bisq", + "support.resources.guides.chatRules" to "Открыть правила чата", + "support.resources.backup.location" to "Место резервного копирования", + "support.resources.localData.openTorLogFile" to "Открыть файл 'debug.log' Tor", + "support.resources.legal.tac" to "Открыть пользовательское соглашение", + "support.resources.localData.headline" to "Локальные данные", + "support.resources.backup.success" to "Резервная копия успешно сохранена по адресу:\n{0}", + "support.resources.backup.location.help" to "Резервная копия не зашифрована", + "support.resources.localData.openDataDir" to "Открыть каталог данных Bisq", + "support.resources.resources.dao" to "О Биск DAO", + "support.resources.resources.sourceCode" to "Репозиторий исходного кода GitHub", + "support.resources.resources.headline" to "Веб-ресурсы", + "support.resources.localData.openLogFile" to "Открыть файл 'bisq.log'", + "support.resources.guides.tradeGuide" to "Открыть руководство по сделкам", + "support.resources.guides.walletGuide" to "Открыть руководство по Кошельку", + "support.assistance" to "Помощь", + ), + "user" to mapOf( + "user.password.savePassword.success" to "Защита паролем включена.", + "user.bondedRoles.userProfile.select.invalid" to "Выберите профиль пользователя из списка", + "user.paymentAccounts.noAccounts.whySetup" to "Почему создание учетной записи полезно?", + "user.paymentAccounts.deleteAccount" to "Удаление платежного аккаунта", + "user.userProfile.terms.tooLong" to "Торговые условия не должны быть длиннее {0} символов", + "user.password.enterPassword" to "Введите пароль (минимум 8 символов)", + "user.userProfile.statement.tooLong" to "Высказывание не должно быть длиннее {0} символов", + "user.paymentAccounts.createAccount.subtitle" to "Платежный счет хранится только локально на вашем компьютере и отправляется вашему торговому партнеру только в том случае, если вы решите это сделать.", + "user.password.confirmPassword" to "Подтвердите пароль", + "user.userProfile.popup.noSelectedProfile" to "Выберите профиль пользователя из списка", + "user.userProfile.statement.prompt" to "Введите необязательное заявление", + "user.userProfile.comboBox.description" to "Профиль пользователя", + "user.userProfile.save.popup.noChangesToBeSaved" to "Нет новых изменений, которые нужно сохранить", + "user.userProfile.livenessState" to "Последняя активность пользователя: {0} назад", + "user.userProfile.statement" to "Заявление", + "user.paymentAccounts.accountData" to "Информация о платежном счете", + "user.paymentAccounts.createAccount" to "Создайте новый платежный счет", + "user.paymentAccounts.noAccounts.whySetup.info" to "Когда вы продаете биткойн, вам необходимо предоставить покупателю реквизиты своего платежного счета для получения фиатной оплаты. Заранее созданные счета позволяют быстро и удобно получить доступ к этой информации во время сделки.", + "user.userProfile.deleteProfile" to "Удалить профиль", + "user.userProfile.reputation" to "Репутация", + "user.userProfile.learnMore" to "Зачем создавать новый профиль?", + "user.userProfile.terms" to "Торговые условия", + "user.userProfile.deleteProfile.popup.warning" to "Вы действительно хотите удалить {0}? Вы не можете отменить эту операцию.", + "user.paymentAccounts.createAccount.sameName" to "Это имя учетной записи уже используется. Пожалуйста, используйте другое имя.", + "user.userProfile" to "Профиль пользователя", + "user.password" to "Пароль", + "user.userProfile.nymId" to "Идентификатор бота", + "user.paymentAccounts" to "Платежные счета", + "user.paymentAccounts.createAccount.accountData.prompt" to "Введите информацию о платежном счете (например, данные банковского счета), которую вы хотите передать потенциальному покупателю биткоинов, чтобы он мог перевести вам сумму в национальной валюте.", + "user.paymentAccounts.headline" to "Ваши платежные счета", + "user.userProfile.addressByTransport.I2P" to "Адрес I2P: {0}", + "user.userProfile.livenessState.description" to "Последняя активность пользователя", + "user.paymentAccounts.selectAccount" to "Выберите платежный счет", + "user.userProfile.new.statement" to "Заявление", + "user.userProfile.terms.prompt" to "Введите дополнительные торговые условия", + "user.password.headline.removePassword" to "Снять защиту паролем", + "user.bondedRoles.userProfile.select" to "Выберите профиль пользователя", + "user.userProfile.userName.banned" to "[[Забанили]] {0}", + "user.paymentAccounts.createAccount.accountName" to "Название платежного счета", + "user.userProfile.new.terms" to "Ваши торговые условия", + "user.paymentAccounts.noAccounts.info" to "Вы еще не создали ни одной учетной записи.", + "user.paymentAccounts.noAccounts.whySetup.note" to "Справочная информация:\nДанные вашего аккаунта хранятся исключительно локально на вашем компьютере и передаются вашему торговому партнеру только по вашему желанию.", + "user.userProfile.profileAge.tooltip" to "Возраст профиля\" - это возраст в днях данного профиля пользователя.", + "user.userProfile.deleteProfile.popup.warning.yes" to "Да, удалить профиль", + "user.userProfile.version" to "Версия: {0}", + "user.userProfile.profileAge" to "Возраст профиля", + "user.userProfile.tooltip" to "Прозвище: {0}\nID бота: {1}\nID профиля: {2}\n{3}", + "user.userProfile.new.step2.subTitle" to "По желанию вы можете добавить в свой профиль персональное заявление и установить свои торговые условия.", + "user.paymentAccounts.createAccount.accountName.prompt" to "Задайте уникальное название для вашего платежного счета", + "user.userProfile.addressByTransport.CLEAR" to "Очистить сетевой адрес: {0}", + "user.password.headline.setPassword" to "Установите защиту паролем", + "user.password.button.removePassword" to "Удалить пароль", + "user.password.removePassword.failed" to "Неверный пароль.", + "user.userProfile.livenessState.tooltip" to "Время, прошедшее с момента повторной публикации профиля пользователя в сети, вызванной действиями пользователя, например движениями мыши.", + "user.userProfile.tooltip.banned" to "Этот профиль забанен!", + "user.userProfile.addressByTransport.TOR" to "Тор-адрес: {0}", + "user.userProfile.new.step2.headline" to "Заполните свой профиль", + "user.password.removePassword.success" to "Снята защита паролем.", + "user.userProfile.livenessState.ageDisplay" to "{0} назад", + "user.userProfile.createNewProfile" to "Создать новый профиль", + "user.userProfile.new.terms.prompt" to "Опционально устанавливайте торговые условия", + "user.userProfile.profileId" to "Идентификатор профиля", + "user.userProfile.deleteProfile.cannotDelete" to "Удаление профиля пользователя запрещено\n\nЧтобы удалить этот профиль, сначала:\n- Удалите все сообщения, опубликованные в этом профиле\n- Закройте все личные каналы для этого профиля\n- Убедитесь, что у вас есть еще хотя бы один профиль", + "user.paymentAccounts.noAccounts.headline" to "Ваши платежные счета", + "user.paymentAccounts.createAccount.headline" to "Добавить новый платежный счет", + "user.userProfile.nymId.tooltip" to "Идентификатор бота\" генерируется из хэша открытого ключа этого\nидентификатора профиля пользователя.\nОн добавляется к нику в случае, если в сети есть несколько профилей пользователей с одним и тем же ником.\nв сети с одним и тем же ником, чтобы четко различать эти профили.", + "user.userProfile.new.statement.prompt" to "Дополнительное заявление о добавлении", + "user.password.button.savePassword" to "Сохранить пароль", + "user.userProfile.profileId.tooltip" to "Идентификатор профиля\" - это хэш открытого ключа идентификации профиля пользователя.\nзакодированный как шестнадцатеричная строка.", + ), + "network" to mapOf( + "network.version.localVersion.headline" to "Информация о локальной версии", + "network.nodes.header.numConnections" to "Количество подключений", + "network.transport.traffic.sent.details" to "Отправленные данные: {0}\nВремя отправки сообщения: {1}\nКоличество сообщений: {2}\nКоличество сообщений по имени класса:{3}\nКоличество распределенных данных по имени класса:{4}", + "network.nodes.type.active" to "Пользовательский узел (активный)", + "network.connections.outbound" to "Исходящие", + "network.transport.systemLoad.details" to "Размер сохраняемых сетевых данных: {0}\nТекущая загрузка сети: {1}\nСредняя нагрузка на сеть: {2}", + "network.transport.headline.CLEAR" to "Чистая сеть", + "network.nodeInfo.myAddress" to "Мой адрес по умолчанию", + "network.version.versionDistribution.version" to "Версия {0}", + "network.transport.headline.I2P" to "I2P", + "network.version.versionDistribution.tooltipLine" to "{0} профилей пользователей с версией ''{1}''", + "network.transport.pow.details" to "Всего потрачено времени: {0}\nСреднее время на одно сообщение: {1}\nКоличество сообщений: {2}", + "network.nodes.header.type" to "Тип", + "network.transport.pow.headline" to "Доказательство работы", + "network.header.nodeTag" to "Идентификационный тег", + "network.nodes.title" to "Мои узлы", + "network.connections.ioData" to "{0} / {1} Сообщения", + "network.connections.title" to "Соединения", + "network.connections.header.peer" to "Сверстник", + "network.nodes.header.keyId" to "Идентификатор ключа", + "network.version.localVersion.details" to "Версия Bisq: v{0}\nКомментарий хэша: {1}\nВерсия Tor: v{2}", + "network.nodes.header.address" to "Адрес сервера", + "network.connections.seed" to "Посевной узел", + "network.p2pNetwork" to "Сеть P2P", + "network.transport.traffic.received.details" to "Данные получены: {0}\nВремя десериализации сообщения: {1}\nКоличество сообщений: {2}\nКоличество сообщений по имени класса:{3}\nКоличество распределенных данных по именам классов:{4}", + "network.nodes" to "Узлы инфраструктуры", + "network.connections.inbound" to "Входящие", + "network.header.nodeTag.tooltip" to "Идентификационный тег: {0}", + "network.version.versionDistribution.oldVersions" to "2.0.4 (или ниже)", + "network.nodes.type.retired" to "Пользовательский узел (на пенсии)", + "network.transport.traffic.sent.headline" to "Исходящий трафик за последний час", + "network.roles" to "Связанные роли", + "network.connections.header.sentHeader" to "Отправлено", + "network.connections.header.receivedHeader" to "Получено", + "network.nodes.type.default" to "Сплетенный узел", + "network.version.headline" to "Распространение версий", + "network.myNetworkNode" to "Мой сетевой узел", + "network.transport.headline.TOR" to "Tor", + "network.connections.header.connectionDirection" to "Вход/выход", + "network.transport.traffic.received.headline" to "Входящий трафик за последний час", + "network.transport.systemLoad.headline" to "Загрузка системы", + "network.connections.header.rtt" to "RTT", + "network.connections.header.address" to "Адрес", + ), + "settings" to mapOf( + "settings.language.supported.select" to "Выберите язык", + "settings.network.difficultyAdjustmentFactor.ignoreValueFromSecManager" to "Игнорировать значение, предоставленное менеджером безопасности Bisq.", + "settings.notification.option.off" to "Отключено", + "settings.network.difficultyAdjustmentFactor.description.self" to "Пользовательский коэффициент корректировки сложности PoW", + "settings.backup.totalMaxBackupSizeInMB.info.tooltip" to "Важные данные автоматически сохраняются в каталоге данных при каждом обновлении,\nсогласно этой стратегии хранения:\n - Последний час: Хранить максимум одну резервную копию в минуту.\n - Последний день: Хранить одну резервную копию в час.\n - Последняя неделя: Хранить одну резервную копию в день.\n - Последний месяц: Хранить одну резервную копию в неделю.\n - Последний год: Хранить одну резервную копию в месяц.\n - Предыдущие годы: Хранить одну резервную копию в год.\n\nОбратите внимание, что этот механизм резервного копирования не защищает от сбоев жесткого диска.\nДля лучшей защиты мы настоятельно рекомендуем создавать ручные резервные копии на альтернативном жестком диске.", + "settings.notification.option.all" to "Все сообщения чата", + "settings.display" to "Дисплей", + "settings.trade" to "Предложение и торговля", + "settings.trade.maxTradePriceDeviation" to "Максимально допустимая торговая цена", + "settings.backup.totalMaxBackupSizeInMB.description" to "Макс. размер в МБ для автоматических резервных копий", + "settings.language.supported.headline" to "Добавьте поддерживаемые языки", + "settings.misc" to "Разное", + "settings.trade.headline" to "Параметры предложения и торговли", + "settings.trade.maxTradePriceDeviation.invalid" to "Должно быть значение от 1 до {0}%", + "settings.backup.totalMaxBackupSizeInMB.invalid" to "Должно быть значение от {0} МБ до {1} МБ", + "settings.language.supported.addButton.tooltip" to "Добавить выбранный язык в список", + "settings.language.supported.subHeadLine" to "Языки, которыми вы свободно владеете", + "settings.display.useAnimations" to "Используйте анимацию", + "settings.notification.notifyForPreRelease" to "Уведомление о предварительных обновлениях программного обеспечения", + "settings.language.select.invalid" to "Пожалуйста, выберите язык из списка", + "settings.notification.options" to "Параметры уведомлений", + "settings.notification.useTransientNotifications" to "Используйте переходные уведомления", + "settings.language.headline" to "Выбор языка", + "settings.language.supported.invalid" to "Пожалуйста, выберите язык из списка", + "settings.language.restart" to "Чтобы применить новый язык, необходимо перезапустить приложение", + "settings.backup.headline" to "Настройки резервного копирования", + "settings.notification.option.mention" to "Если упоминается", + "settings.notification.clearNotifications" to "Очистить уведомления", + "settings.display.preventStandbyMode" to "Предотвращение перехода в режим ожидания", + "settings.notifications" to "Уведомления", + "settings.network.headline" to "Настройки сети", + "settings.language.supported.list.subHeadLine" to "Свободно владею:", + "settings.trade.closeMyOfferWhenTaken" to "Закройте мое предложение, когда оно будет принято", + "settings.display.resetDontShowAgain" to "Сбросьте все флаги \"Не показывать снова\".", + "settings.language.select" to "Выберите язык", + "settings.network.difficultyAdjustmentFactor.description.fromSecManager" to "Коэффициент корректировки сложности PoW от Bisq Security Manager", + "settings.language" to "Язык", + "settings.display.headline" to "Настройки дисплея", + "settings.network.difficultyAdjustmentFactor.invalid" to "Должно быть числом от 0 до {0}.", + "settings.trade.maxTradePriceDeviation.help" to "Максимальная торговая разница в цене, которую допускает производитель, когда его предложение принимается.", + ), + "payment_method" to mapOf( + "F2F_SHORT" to "F2F", + "LN" to "BTC через Молниеносную сеть", + "WISE_USD" to "Мудрый Доллар", + "DOMESTIC_WIRE_TRANSFER_SHORT" to "Провод", + "MAIN_CHAIN_SHORT" to "Onchain", + "IMPS" to "Индия/IMPS", + "PAYTM" to "Индия/PayTM", + "RTGS" to "Индия/RTGS", + "MONESE" to "Monese", + "CIPS_SHORT" to "CIPS", + "MONEY_GRAM" to "MoneyGram", + "WISE" to "Мудрый", + "TIKKIE" to "Tikkie", + "UPI" to "Индия/UPI", + "BIZUM" to "Бизон", + "INTERAC_E_TRANSFER" to "Interac e-Transfer", + "LN_SHORT" to "Молния", + "ALI_PAY" to "AliPay", + "NATIONAL_BANK" to "Национальный банковский перевод", + "US_POSTAL_MONEY_ORDER" to "Почтовый денежный перевод США", + "JAPAN_BANK" to "Японский банк Фурикоми", + "NATIVE_CHAIN" to "Родная цепь", + "FASTER_PAYMENTS" to "Быстрые платежи", + "ADVANCED_CASH" to "Передовая касса", + "F2F" to "Лицом к лицу (лично)", + "SWIFT_SHORT" to "SWIFT", + "WECHAT_PAY" to "WeChat Pay", + "RBTC_SHORT" to "RSK", + "ACH_TRANSFER" to "Перевод ACH", + "CHASE_QUICK_PAY" to "Chase QuickPay", + "INTERNATIONAL_BANK_SHORT" to "Международные банки", + "HAL_CASH" to "HalCash", + "WESTERN_UNION" to "Western Union", + "ZELLE" to "Цель", + "JAPAN_BANK_SHORT" to "Япония Фурикоми", + "RBTC" to "RBTC (привязанные BTC на боковой цепочке РСК)", + "SWISH" to "Свич", + "SAME_BANK" to "Перевод через тот же банк", + "ACH_TRANSFER_SHORT" to "ACH", + "AMAZON_GIFT_CARD" to "Amazon подарочная карта", + "PROMPT_PAY" to "PromptPay", + "LBTC" to "L-BTC (привязанные BTC на боковой цепочке ликвида)", + "US_POSTAL_MONEY_ORDER_SHORT" to "Денежный перевод США", + "VERSE" to "Стих", + "SWIFT" to "Международный банковский перевод SWIFT", + "SPECIFIC_BANKS_SHORT" to "Конкретные банки", + "WESTERN_UNION_SHORT" to "Western Union", + "DOMESTIC_WIRE_TRANSFER" to "Внутренний банковский перевод", + "INTERNATIONAL_BANK" to "Международный банковский перевод", + "UPHOLD" to "Поддержите", + "CAPITUAL" to "Капитуляция", + "CASH_DEPOSIT" to "Депозит наличными", + "WBTC" to "WBTC (обернутый BTC в виде токена ERC20)", + "MONEY_GRAM_SHORT" to "MoneyGram", + "CASH_BY_MAIL" to "Наличные по почте", + "SAME_BANK_SHORT" to "Тот же банк", + "SPECIFIC_BANKS" to "Переводы через определенные банки", + "PAXUM" to "Paxum", + "NATIVE_CHAIN_SHORT" to "Родная цепь", + "WBTC_SHORT" to "WBTC", + "PERFECT_MONEY" to "Идеальные деньги", + "CELPAY" to "CelPay", + "STRIKE" to "Атака", + "MAIN_CHAIN" to "Биткойн (onchain)", + "SEPA_INSTANT" to "SEPA мгновенно", + "CASH_APP" to "Кассовое приложение", + "POPMONEY" to "Popmoney", + "REVOLUT" to "Оборот", + "NEFT" to "Индия/НЕФТЬ", + "SATISPAY" to "Satispay", + "PAYSERA" to "Paysera", + "LBTC_SHORT" to "Жидкость", + "SEPA" to "SEPA", + "NEQUI" to "Неки", + "NATIONAL_BANK_SHORT" to "Национальные банки", + "CASH_BY_MAIL_SHORT" to "Наличные по почте", + "OTHER" to "Другое", + "PAY_ID" to "Платежный идентификатор", + "CIPS" to "Трансграничная межбанковская платежная система", + "MONEY_BEAM" to "MoneyBeam (N26)", + "PIX" to "Пиксель", + "CASH_DEPOSIT_SHORT" to "Депозит наличными", + ), + "offer" to mapOf( + "offer.priceSpecFormatter.fixPrice" to "Offer with fixed price\n{0}", + "offer.priceSpecFormatter.floatPrice.below" to "{0} below market price\n{1}", + "offer.priceSpecFormatter.floatPrice.above" to "{0} above market price\n{1}", + "offer.priceSpecFormatter.marketPrice" to "At market price\n{0}", + ), + "mobile" to mapOf( + "bootstrap.connectedToTrustedNode" to "Connected to trusted node", + ), + ) +} diff --git a/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/I18nSupport.kt b/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/I18nSupport.kt index c480fe78..cd6ff5ee 100644 --- a/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/I18nSupport.kt +++ b/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/I18nSupport.kt @@ -2,9 +2,20 @@ package network.bisq.mobile.i18n class I18nSupport { companion object { - fun initialize(languageCode: String) { + fun initialize(languageCode: String = "en") { // bundles = BUNDLE_NAMES.map { ResourceBundle.getBundle(it, languageCode) } - val bundleMapsByName: Map> = GeneratedResourceBundles.bundlesByCode[languageCode] ?: emptyMap() + val bundleMapsByName: Map> = when (languageCode) { + "en" -> GeneratedResourceBundles_en.bundles + "af_ZA" -> GeneratedResourceBundles_af_ZA.bundles + "cs" -> GeneratedResourceBundles_cs.bundles + "de" -> GeneratedResourceBundles_de.bundles + "es" -> GeneratedResourceBundles_es.bundles + "it" -> GeneratedResourceBundles_it.bundles + "pcm" -> GeneratedResourceBundles_pcm.bundles + "pt_BR" -> GeneratedResourceBundles_pt_BR.bundles + "ru" -> GeneratedResourceBundles_ru.bundles + else -> GeneratedResourceBundles_en.bundles + } val maps: Collection> = bundleMapsByName.values bundles = maps.map { ResourceBundle(it) } } diff --git a/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/MessageFormat.kt b/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/MessageFormat.kt index 467d2b3c..36304cee 100644 --- a/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/MessageFormat.kt +++ b/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/MessageFormat.kt @@ -1,6 +1,6 @@ package network.bisq.mobile.i18n -import network.bisq.mobile.utils.getLogger +import network.bisq.mobile.domain.utils.getLogger object MessageFormat { diff --git a/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/ResourceBundle.kt b/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/ResourceBundle.kt index 05b1d760..16beda43 100644 --- a/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/ResourceBundle.kt +++ b/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/ResourceBundle.kt @@ -2,7 +2,7 @@ package network.bisq.mobile.i18n import kotlinx.datetime.Clock import network.bisq.mobile.domain.loadProperties -import network.bisq.mobile.utils.getLogger +import network.bisq.mobile.domain.utils.getLogger class ResourceBundle(val map: Map) { companion object { diff --git a/shared/domain/src/iosMain/kotlin/network/bisq/mobile/domain/PlatformDomainAbstractions.ios.kt b/shared/domain/src/iosMain/kotlin/network/bisq/mobile/domain/PlatformDomainAbstractions.ios.kt index 5c344a61..e1571885 100644 --- a/shared/domain/src/iosMain/kotlin/network/bisq/mobile/domain/PlatformDomainAbstractions.ios.kt +++ b/shared/domain/src/iosMain/kotlin/network/bisq/mobile/domain/PlatformDomainAbstractions.ios.kt @@ -14,29 +14,22 @@ import kotlinx.cinterop.usePinned import kotlinx.serialization.Serializable import platform.Foundation.NSBundle import platform.Foundation.NSData -import platform.Foundation.* -import platform.Foundation.create -import platform.Foundation.NSString -import platform.Foundation.stringWithFormat -import platform.UIKit.* -import platform.Foundation.NSURL -import platform.UIKit.UIApplication import platform.Foundation.NSDictionary import platform.Foundation.NSLocale -import platform.posix.memcpy -import platform.UIKit.UIImagePNGRepresentation -import platform.Foundation.stringWithContentsOfFile +import platform.Foundation.NSString +import platform.Foundation.NSURL import platform.Foundation.allKeys import platform.Foundation.create import platform.Foundation.currentLocale import platform.Foundation.dictionaryWithContentsOfFile import platform.Foundation.languageCode +import platform.Foundation.stringWithFormat +import platform.UIKit.UIApplication import platform.UIKit.UIDevice import platform.UIKit.UIImage import platform.UIKit.UIImagePNGRepresentation import platform.posix.memcpy import kotlin.collections.set -import platform.Foundation.NSDictionary @OptIn(ExperimentalSettingsImplementation::class) actual fun getPlatformSettings(): Settings { @@ -54,7 +47,7 @@ class IOSUrlLauncher : UrlLauncher { val nsUrl = NSURL.URLWithString(url) if (nsUrl != null) { // fake secondary parameters are important so that iOS compiler knows which override to use - UIApplication.sharedApplication.openURL(nsUrl, options = mapOf(), completionHandler = null) + UIApplication.sharedApplication.openURL(nsUrl, options = mapOf(), completionHandler = null) } } } @@ -65,13 +58,6 @@ class IOSPlatformInfo : PlatformInfo { actual fun getPlatformInfo(): PlatformInfo = IOSPlatformInfo() -actual fun loadFromResources(fileName: String): String { - val path = NSBundle.mainBundle.pathForResource(fileName, "txt") - ?: throw IllegalArgumentException("File not found: $fileName") - return NSString.stringWithContentsOfFile(path) as String -} - - actual fun loadProperties(fileName: String): Map { val bundle = NSBundle.mainBundle /*val path = bundle.pathForResource(fileName.removeSuffix(".properties"), "properties") diff --git a/shared/presentation/src/commonMain/kotlin/network/bisq/mobile/presentation/ui/uicases/GettingStartedPresenter.kt b/shared/presentation/src/commonMain/kotlin/network/bisq/mobile/presentation/ui/uicases/GettingStartedPresenter.kt index 5b49729c..8c603efe 100644 --- a/shared/presentation/src/commonMain/kotlin/network/bisq/mobile/presentation/ui/uicases/GettingStartedPresenter.kt +++ b/shared/presentation/src/commonMain/kotlin/network/bisq/mobile/presentation/ui/uicases/GettingStartedPresenter.kt @@ -1,18 +1,15 @@ package network.bisq.mobile.presentation.ui.uicases -import kotlinx.coroutines.Dispatchers import kotlinx.coroutines.Job import kotlinx.coroutines.flow.MutableStateFlow import kotlinx.coroutines.flow.StateFlow import kotlinx.coroutines.launch -import kotlinx.coroutines.withContext import network.bisq.mobile.domain.data.repository.BisqStatsRepository import network.bisq.mobile.domain.service.market_price.MarketPriceServiceFacade import network.bisq.mobile.domain.service.offerbook.OfferbookServiceFacade import network.bisq.mobile.presentation.BasePresenter import network.bisq.mobile.presentation.MainPresenter import network.bisq.mobile.presentation.ui.navigation.Routes -import network.bisq.mobile.presentation.ui.uicases.offer.create_offer.CreateOfferPresenter open class GettingStartedPresenter( mainPresenter: MainPresenter, diff --git a/shared/presentation/src/commonMain/kotlin/network/bisq/mobile/presentation/ui/uicases/GettingStartedScreen.kt b/shared/presentation/src/commonMain/kotlin/network/bisq/mobile/presentation/ui/uicases/GettingStartedScreen.kt index 8a8d7b51..5184bc86 100644 --- a/shared/presentation/src/commonMain/kotlin/network/bisq/mobile/presentation/ui/uicases/GettingStartedScreen.kt +++ b/shared/presentation/src/commonMain/kotlin/network/bisq/mobile/presentation/ui/uicases/GettingStartedScreen.kt @@ -1,6 +1,8 @@ package network.bisq.mobile.presentation.ui.uicases -import androidx.compose.foundation.* +import androidx.compose.foundation.Canvas +import androidx.compose.foundation.background +import androidx.compose.foundation.clickable import androidx.compose.foundation.layout.Arrangement import androidx.compose.foundation.layout.Box import androidx.compose.foundation.layout.Column @@ -84,7 +86,7 @@ fun GettingStartedScreen() { title = presenter.title, bulletPoints = presenter.bulletPoints, primaryButtonText = "Start Trading", - footerLink = "Learn more" + footerLink = "action.learnMore".i18n() ) } }