diff --git a/shared/domain/build.gradle.kts b/shared/domain/build.gradle.kts index d9a6981a..dfae01b7 100644 --- a/shared/domain/build.gradle.kts +++ b/shared/domain/build.gradle.kts @@ -1,3 +1,7 @@ +import java.io.InputStreamReader +import java.util.Properties +import kotlin.io.path.Path + plugins { alias(libs.plugins.kotlinMultiplatform) alias(libs.plugins.kotlinCocoapods) @@ -111,7 +115,7 @@ kotlin { } androidMain.dependencies { implementation(libs.androidx.core) - + implementation(libs.koin.core) implementation(libs.koin.android) } @@ -149,4 +153,108 @@ android { sourceCompatibility = JavaVersion.VERSION_1_8 targetCompatibility = JavaVersion.VERSION_1_8 } + + sourceSets["main"].resources.srcDirs("src/commonMain/resources") +} + +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:OutputDirectory + abstract val outputDir: DirectoryProperty + + @TaskAction + fun generate() { + val resourceDir = inputDir.asFile.get() + + val bundleNames: List = listOf( + "default", + "application", + "bisq_easy", + "reputation", + "chat", + "support", + "user", + "network", + "settings", + "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.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()) { + // 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() + + // 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) + } + } + + bundlesByCode.forEach { (languageCode, bundles) -> + 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(" ),") + } + appendLine(" )") + appendLine("}") + } + + outputFile.parentFile.mkdirs() + outputFile.writeText(generatedCode.toString(), Charsets.UTF_8) + } + } + + data class ResourceBundle(val map: Map, val bundleName: String, val languageCode: String) +} + +tasks.register("generateResourceBundles") { + group = "build" + description = "Generate a Kotlin file with hardcoded ResourceBundle data" + inputDir.set(layout.projectDirectory.dir("src/commonMain/resources/mobile")) + // 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")) } diff --git a/shared/domain/src/androidMain/kotlin/network/bisq/mobile/domain/PlatformDomainAbstractions.android.kt b/shared/domain/src/androidMain/kotlin/network/bisq/mobile/domain/PlatformDomainAbstractions.android.kt index d198190c..cc2607cb 100644 --- a/shared/domain/src/androidMain/kotlin/network/bisq/mobile/domain/PlatformDomainAbstractions.android.kt +++ b/shared/domain/src/androidMain/kotlin/network/bisq/mobile/domain/PlatformDomainAbstractions.android.kt @@ -16,6 +16,10 @@ import kotlinx.serialization.Serializable import java.io.ByteArrayOutputStream import java.util.Locale import java.text.DecimalFormat +import java.io.IOException +import java.io.InputStream +import java.util.Scanner +import java.util.Properties actual fun getPlatformSettings(): Settings { return Settings() @@ -39,6 +43,17 @@ class AndroidPlatformInfo : PlatformInfo { actual fun getPlatformInfo(): PlatformInfo = AndroidPlatformInfo() + +actual fun loadProperties(fileName: String): Map { + val properties = Properties() + val classLoader = Thread.currentThread().contextClassLoader + val resource = classLoader?.getResourceAsStream(fileName) + ?: throw IllegalArgumentException("Resource not found: $fileName") + properties.load(resource) + + return properties.entries.associate { it.key.toString() to it.value.toString() } +} + @Serializable(with = PlatformImageSerializer::class) actual class PlatformImage(val bitmap: ImageBitmap) { actual companion object { diff --git a/shared/domain/src/commonMain/kotlin/network/bisq/mobile/client/service/bootstrap/ClientApplicationBootstrapFacade.kt b/shared/domain/src/commonMain/kotlin/network/bisq/mobile/client/service/bootstrap/ClientApplicationBootstrapFacade.kt index 0ca04ad1..7fee1938 100644 --- a/shared/domain/src/commonMain/kotlin/network/bisq/mobile/client/service/bootstrap/ClientApplicationBootstrapFacade.kt +++ b/shared/domain/src/commonMain/kotlin/network/bisq/mobile/client/service/bootstrap/ClientApplicationBootstrapFacade.kt @@ -6,6 +6,7 @@ import network.bisq.mobile.domain.data.BackgroundDispatcher import network.bisq.mobile.domain.data.repository.SettingsRepository import network.bisq.mobile.domain.service.TrustedNodeService import network.bisq.mobile.domain.service.bootstrap.ApplicationBootstrapFacade +import network.bisq.mobile.i18n.i18n class ClientApplicationBootstrapFacade( private val settingsRepository: SettingsRepository, @@ -36,7 +37,7 @@ class ClientApplicationBootstrapFacade( if (!trustedNodeService.isConnected()) { try { trustedNodeService.connect() - setState("Connected to Trusted Node") + setState("bootstrap.connectedToTrustedNode".i18n()) setProgress(1.0f) } catch (e: Exception) { log.e(e) { "Failed to connect to trusted node" } @@ -44,7 +45,7 @@ class ClientApplicationBootstrapFacade( setProgress(1.0f) } } else { - setState("Connected to Trusted Node") + setState("bootstrap.connectedToTrustedNode".i18n()) setProgress(1.0f) } // } diff --git a/shared/domain/src/commonMain/kotlin/network/bisq/mobile/domain/PlatformDomainAbstractions.kt b/shared/domain/src/commonMain/kotlin/network/bisq/mobile/domain/PlatformDomainAbstractions.kt index 0c1b762e..ce949ef7 100644 --- a/shared/domain/src/commonMain/kotlin/network/bisq/mobile/domain/PlatformDomainAbstractions.kt +++ b/shared/domain/src/commonMain/kotlin/network/bisq/mobile/domain/PlatformDomainAbstractions.kt @@ -27,6 +27,8 @@ expect fun getDeviceLanguageCode(): String expect fun getPlatformInfo(): PlatformInfo +expect fun loadProperties(fileName: String): Map + @Serializable(with = PlatformImageSerializer::class) expect class PlatformImage { companion object { 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 new file mode 100644 index 00000000..cd6ff5ee --- /dev/null +++ b/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/I18nSupport.kt @@ -0,0 +1,58 @@ +package network.bisq.mobile.i18n + +class I18nSupport { + companion object { + fun initialize(languageCode: String = "en") { + // bundles = BUNDLE_NAMES.map { ResourceBundle.getBundle(it, languageCode) } + 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) } + } + } +} + +// access with key, e.g.: +// "chat.notifications.privateMessage.headline".i18n() when no no argument is passed +// and: "chat.notifications.offerTaken.message".i18n(1234) with one argument (or more if needed) +fun String.i18n(vararg arguments: Any): String { + val pattern = i18n() + return MessageFormat.format(pattern, arguments) +} + +fun String.i18n(): String { + val result = bundles + .firstOrNull { it.containsKey(this) } + ?.getString(this) ?: "MISSING: [$this]" + return result +} + +lateinit var bundles: List +private val BUNDLE_NAMES: 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 +) \ No newline at end of file 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 new file mode 100644 index 00000000..36304cee --- /dev/null +++ b/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/MessageFormat.kt @@ -0,0 +1,33 @@ +package network.bisq.mobile.i18n + +import network.bisq.mobile.domain.utils.getLogger + +object MessageFormat { + + fun format(pattern: String, vararg arguments: Any): String { + try { + val args = if (arguments[0] is Array<*>) arguments[0] as Array<*> else arguments + + // Use a regular expression to match placeholders like {0}, {1}, etc. + val regex = Regex("\\{(\\d+)\\}") + + return regex.replace(pattern) { matchResult -> + // Extract the index from the placeholder + val s = matchResult.groupValues[1] + val index = s.toIntOrNull() + ?: throw IllegalArgumentException("Invalid placeholder: ${matchResult.value}") + + // Replace with the corresponding argument if it exists + val indices = args.indices + if (index in indices) { + args[index].toString() ?: "null" + } else { + throw IllegalArgumentException("Missing argument for placeholder: ${matchResult.value}") + } + } + } catch (e: Exception) { + getLogger("MessageFormat").e("format failed", e) + return pattern + } + } +} 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 new file mode 100644 index 00000000..16beda43 --- /dev/null +++ b/shared/domain/src/commonMain/kotlin/network/bisq/mobile/i18n/ResourceBundle.kt @@ -0,0 +1,44 @@ +package network.bisq.mobile.i18n + +import kotlinx.datetime.Clock +import network.bisq.mobile.domain.loadProperties +import network.bisq.mobile.domain.utils.getLogger + +class ResourceBundle(val map: Map) { + companion object { + fun getBundle(bundleName: String, languageCode: String): ResourceBundle { + var map: Map? = null + try { + map = loadMappings(bundleName, languageCode) + } catch (e: Exception) { + getLogger("ResourceBundle").e("Failed to load bundle i18n for $languageCode", e) + if (map == null) { + getLogger("ResourceBundle").i("Defaulting to english") + map = loadMappings(bundleName, "en") + } + } finally { + if (map == null) { + throw IllegalArgumentException("Could not find mappings for bundle $bundleName and language $languageCode") + } + return ResourceBundle(map) + } + } + + private fun loadMappings(bundleName: String, languageCode: String): Map { + val code = if (languageCode.lowercase() == "en") "" else "_$languageCode" + // We must use a sub directory as otherwise it would get shadowed with the resources from bisq 2 i18n jar in node + val fileName = "mobile/$bundleName$code.properties" + val ts = Clock.System.now() + getLogger("ResourceBundle").i("Loading $bundleName took ${Clock.System.now() - ts}") + return loadProperties(fileName) + } + } + + fun containsKey(key: String): Boolean { + return map.containsKey(key) + } + + fun getString(key: String): String { + return map[key] ?: key + } +} \ No newline at end of file diff --git a/shared/domain/src/commonMain/resources/mobile/academy.properties b/shared/domain/src/commonMain/resources/mobile/academy.properties new file mode 100644 index 00000000..a93e89da --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/academy.properties @@ -0,0 +1,388 @@ +###################################################### +## Academy (Learn section) +###################################################### + +academy.overview=Overview + +academy.overview.subHeadline=Hitchhiker's Guide to the Cryptoverse +academy.overview.content=Bisq and Bitcoin community members provide content for learning about the Bitcoin space and \ + help you to filter the signal from the noise. +academy.overview.selectButton=Learn more + +academy.overview.bisq=Bisq +academy.overview.bisq.content=Learn about Bisq, the Bisq DAO. And find out why Bisq is important \ + for your security, privacy and for keeping Bitcoin aligned to it's core values. +academy.overview.bitcoin=Bitcoin +academy.overview.bitcoin.content=Get a deep dive into Satoshi's rabbit hole. Learn about the concepts behind the \ + blockchain, mining and what makes Bitcoin unique. +academy.overview.security=Security +academy.overview.security.content=Learn about security concepts related to handling your Bitcoin funds. Make sure you understand the best practices for keeping your Bitcoin safe. +academy.overview.privacy=Privacy +academy.overview.privacy.content=Why is privacy important? What are the risks when companies collect your data? \ + Why is privacy a requirement for a liberal society and for security? +academy.overview.wallets=Wallets +academy.overview.wallets.content=You want to find out which wallet is best to your needs? Read here about the best \ + options for wallets. +academy.overview.foss=Open source +academy.overview.foss.content=Bisq is free and open source software (FOSS) based on the GPL license. Why is FOSS important? Interested to contribute? + + +###################################################### +## Bisq +###################################################### + +academy.bisq.subHeadline=Bisq is free and open source software for exchanging Bitcoin with fiat currencies or other cryptocurrencies in a decentralized and trust-minimized way. +academy.bisq.exchangeDecentralizedHeadline=Exchange, decentralized +academy.bisq.exchangeDecentralizedContent=Bisq is an exchange application where you can buy and sell Bitcoin for \ + national currencies or other cryptocurrencies. Unlike most exchange alternatives, Bisq is both decentralized and \ + peer-to-peer.\n\nIt is decentralized because it does not depend nor is it controlled by any single company, team or \ + government. Decentralization makes Bisq a resilient network: just like Bitcoin, it exists because of users like you. \ + Since there is no single element on which everything relies, it is significantly hard for anybody to stop or hurt \ + the network. It is peer-to-peer because each trade you perform is matched with another user just like you. This \ + helps you protect your privacy from centralized elements like governments and traditional financial institutions. It \ + also makes Bisq permissionless: you don't need anybody's authorization to use it, and nobody can stop you from doing \ + it.\n\nCurrently, two applications exist: Bisq 1 and Bisq 2. Bisq 2 is the application where you are reading this. \ + We recommend you to get acquainted with Bisq 2 before you try to learn more about Bisq 1. +academy.bisq.whyBisqHeadline=Why Bisq +academy.bisq.whyBisqContent=For many users, Bisq is the preferred method to buy or sell Bitcoin in exchange for national\ + \ currencies. This is because Bisq's nature results in a completely different experience to that of Centralized \ + Exchanges.\n\nUsers also value the privacy-respecting nature of Bisq. You don't need to provide any kind of \ + personal information to use Bisq. Whenever you trade, you only need to share your payment details with your trade\ + \ partner. Nobody else has access to this data, and there is no central database where all of your information and \ + transactions will end up stored for years or decades.\n\nBisq also allows users to overcome any lack of permissions\ + \ that can be imposed arbitrarily by their local governments or financial institutions. Examples of this can be\ + \ governments that declare Bitcoin possession or trading illegal, or banks that forbid customers from sending their\ + \ own money to exchange institutions. Users in these situations find in Bisq a way to work around them being\ + \ excluded from the traditional financial system for any kind of reason.\n\nFinally, Bisq is a safe way to exchange\ + \ Bitcoin and national currencies. The existing trade protocols and reputation systems prevent bad actors from\ + \ stealing your funds. Mediators are always available to support you if another peer is not behaving properly and\ + \ will step in if necessary to work out a solution for your case. The result: Bisq users can happily trade with\ + \ others without having to worry about being scammed and losing their funds. +academy.bisq.tradeSafelyHeadline=Trade safely +academy.bisq.tradeSafelyContent=Exchanging your Bitcoin and national currencies with other peers comes with great \ + benefits like not depending on companies or protecting your privacy. But you might be wondering: how can I know if \ + the peer I'm trading with is honest? Won't I get scammed? Those are valid concerns that you should always keep in \ + mind and that Bisq addresses in several ways to allow safe trading.\n\nThe different trade protocols (you can think\ + \ of a protocol as the rules you and your peer will have to follow) minimize the risk of any actor scamming their peer\ + \ during a trade. There is usually a trade-off between security and convenience: some protocols are more robust,\ + \ others are more convenient and fast. It is up to you to decide which protocol to use on each trade, depending on\ + \ your preferences and needs, as well as the traded amount. Protocols like Bisq Easy are recommended for small sums\ + \ of money, while more robust and structured protocols like Bisq MuSig are advisable for larger amounts.\n\nIf\ + \ your trade ends up in a conflict with your trade peer, or the peer simply disappears and becomes unresponsive, you\ + \ will not be left alone. Mediators and arbitrators are always available to advice and provide solutions in these\ + \ situations. These roles will observe each case, propose friendly solutions between the traders, and potentially\ + \ make final decisions if no agreements are reached. If you have acted honestly and followed the rules, the outcomes\ + \ will be in your favor and you will never lose your funds.\n\nIn summary, Bisq is designed to minimize the need for \ + trusting other peers and to discourage scamming and other bad behaviors. This translates in very few trades having \ + any kind of conflict, and those which do will always be solved in a reasonable way through mediation and/or \ + arbitration. The result: trading in Bisq is a safe and smooth experience. + + +###################################################### +## Bitcoin +###################################################### + +academy.bitcoin.subHeadline=A peer-to-peer electronic cash that allows online payments to be sent directly without intermediaries. +academy.bitcoin.whatIsBitcoinHeadline=What is Bitcoin +academy.bitcoin.whatIsBitcoinContent=Bitcoin is the largest and most popular cryptocurrency in the world. It is a \ + digital form of cash that allows anybody to send value to other people without the need for intermediaries. It \ + started out in 2009 and has grown massively since then, gaining adoption throughout the world because of its unique \ + and appealing properties.\n\nBitcoin differs from all national currencies in several aspects. Bitcoin is not \ + controlled or issued by any government or institution. It is decentralized, and it exists only because of the \ + thousands of people across the world who use it. This makes it neutral money, where nobody is in a privileged \ + position that allows abuse. This also means that you are free to use Bitcoin without requiring any kind of \ + permission, and nobody in the system has more power than you. It's an open system that welcomes everyone. Another \ + important property is that you can hold Bitcoin in self-custody. In other words, you can own it yourself without \ + depending on any other company or entity. Comparing it to traditional currencies, it's more similar to cash in your \ + pocket (which you completely control) than to a balance in a bank account (where you are subject to the bank's \ + conditions and wishes). Because of this, you are also always free to send Bitcoin: you don't need anybody's approval \ + to do so, and your transactions can't be stopped or reversed. A third interesting aspect is that Bitcoin's supply is \ + limited to a maximum of 21 million. This means that the value of each bitcoin, unlike the value of each dollar for \ + example, can't be debased by creating more of it. Bitcoin is created through a costly process called mining, and \ + both the emission schedule and maximum amount that can be created are strictly defined and can't be modified. This \ + makes the supply limited, certain and predictable, making Bitcoin attractive due to its scarcity and robustness. +academy.bitcoin.whyUseBitcoinHeadline=Why use Bitcoin +academy.bitcoin.whyUseBitcoinContent=Bitcoin's properties make it a unique asset that attracts different people for \ + different reasons. How Bitcoin appeals to you depends on your profile and needs.\n\nOne of the most common reasons \ + for people to use Bitcoin is its capacity to protect value over time. The national currencies of most countries in \ + the world lose value continuously over time due to currency debasement. This means that by holding your savings in \ + cash or in a bank account, you are gradually losing them because their value goes down over time. Bitcoin's limited \ + supply prevents this from happening, so even if it behaves in a volatile way in the short term, it is a powerful \ + tool to preserve your wealth in the long term.\n\nAnother reason for individuals to use Bitcoin is to protect \ + themselves from the actions and decisions of governments and financial institutions. Since Bitcoin is something you \ + can own, send, and receive in a permission-less way, the value stored in it is not affected by situations like a \ + central bank printing more units of its national currency, a bank deciding to block your transfers for arbitrary \ + reasons, or a government imposing confiscations on its population. With Bitcoin, the rules of the game are \ + well-known and predictable, and you can count on the network being fair and treating everyone equally.\n\nBitcoin \ + is also very attractive for those who engage in international trade and seek to send or receive money to other \ + countries or regions. Bitcoin has no concept of borders and works the same whether you send some to your neighbor or \ + to someone on the other side of the world. Since making payments to people or companies in different regions of the \ + world usually means long waiting times, significant fees, and cumbersome red tape, some people chose Bitcoin as a \ + simple and convenient alternative for their cross-region payments. It also means that you can use it to send money \ + to countries that your government or bank have decided to block.\n\nFinally, some people chose Bitcoin for its \ + simplicity and convenience. Bitcoin presents many advantages in this sense with respect to traditional currencies. \ + With it, you don't need to deal with contracts and long bureaucratic processes to do simple things like opening an \ + account. You can easily access your money on all your devices. You can send it anywhere and to anyone without the \ + need for different forms of payment (cash, bank transfers of different sorts, credit cards, etc.). You can easily \ + protect and secure your funds with the right knowledge, and you will enjoy not having to worry about someone \ + stealing your wallet or credit card details.\n\nBitcoin is a huge and innovative step forward in the world of money \ + and payments. There is almost certainly some reason for which Bitcoin can be attractive and useful for your needs, \ + so we encourage you to learn more and to become familiar with it. + + +###################################################### +## Security +###################################################### + +academy.security.subHeadline=Ensuring you, and only you, always have access to your funds +academy.security.introContent=Because Bitcoin is quite different from national currencies in the way it works, the \ + precautions you need to take are also quite different from what you are probably used to. This is also a highly \ + important topic because, while Bitcoin provides you with a lot of power and freedom, it also makes you responsible \ + for taking care of your funds. Therefore, you should invest some time and effort to learn how to do so securely.\ + \n\nWhile security is a complex topic, we can boil things down to three main goals: to ensure that other people never\ + \ have access to your private keys, to ensure that you always have access to your private keys, and to avoid \ + accidentally sending your bitcoin away to scammers and other untrusted peers. +academy.security.securingYourKeysHeadline=Securing your keys +academy.security.securingYourKeysContent=First of all, you must understand one simple idea: not your keys, not your \ + coins. This means that, in order for you to truly own your Bitcoin, it should be stored in a wallet where you, and \ + only you, own the keys. Thus, holding a Bitcoin balance in entities such as banks or centralized exchanges is not \ + truly owning the asset since it's those entities, and not you, who hold the keys to your funds. If you truly \ + want to own your bitcoin, you must store it in a wallet for which only you control the keys.\n\nThere are many \ + Bitcoin wallets out there, each with its own unique design and features. What they all have in common is that, \ + somehow, somewhere, they will store your private keys. These keys provide access to your funds. Whatever wallet you \ + use, you must make sure that only you, or people you fully trust, have access to these keys. If anyone else has \ + access to them, they will be able to steal your funds from you, and nothing can be done to reverse this transaction. \ + On the other hand, losing the keys yourself is equally terrible. If you lose your keys, you will not be able to send \ + your funds anymore, and there is no way to take back control of them. While this might sound daunting, you can \ + easily avoid these situations with a bit of learning and good practices.\n\nMost bitcoin wallets will provide you \ + with a 12 or 24 words long backup, commonly known as the mnemonic phrase or simply the seedphrase. This backup \ + phrase allows you to restore your wallet on any device, making it the most important element for you to secure. It \ + is generally advised to store these backups in analogical form, typically by writing them on a piece of paper or on a \ + small metal sheet, and to have multiple copies of them. You should also store it so that you can find it if you need \ + it, but no one else can access it.\n\nFor significant amounts of Bitcoin, it's usual to employ specialized devices \ + called Hardware Wallets to store your keys. These devices offer a superior level of security with respect to storing \ + your keys in a smartphone or laptop wallet, while providing a convenient experience when it comes to making \ + transactions. You can learn more about these and other types of wallets in the Wallets section of Bisq Learn.\ + \n\nFinally, make sure to avoid overly complicated storage schemes. An advanced storage plan with many details and \ + subtleties will keep thieves away from your funds, but there is also a significant chance that you might not be able \ + to access your own wallet due to mistakes, confusion, or simply forgetting how you organized the backups. Aim for a \ + balance between a set-up that is too simple and anybody could easily break (like storing your seedphrase in a plain \ + text file on your laptop's desktop) and one that is so complex that not even you can crack (like storing the words \ + of your seedphrase across 12 books in 12 different locations). +academy.security.avoidScamsHeadline=Avoid scams +academy.security.avoidScamsContent=Another source of problems and risks are scams. Bitcoin's transactions are \ + irreversible, which means that if someone tricks you into sending them some Bitcoin and then runs away with it, \ + there isn't really much that you can do about it. Because of this, it is common to encounter different schemes where \ + people will try to convince you to send some bitcoin to them. Most of the time, scammers will present you with some \ + wonderful "opportunity" for you to earn money easily, which tends to sound too good to be true. The specific stories \ + and details surrounding these scams are extremely diverse and creative, but the common pattern will always look the \ + same: you will be offered some wonderful returns, but first, you will have to send bitcoin in advance. Once the \ + bitcoin is sent, you will probably never see it come back to you. Defending yourself against these scams is simple: \ + interact only with reputable and trusted companies and people. If you feel some entity is sketchy, ask for \ + references or simply steer away from it. If you are offered an opportunity that feels almost too good to be true, it \ + probably is, and you should stay away from it. + + +###################################################### +## Privacy +###################################################### + +academy.privacy.subHeadline=Your data is yours. Keep it that way. +academy.privacy.introContent=Keeping your financial information and identity private is a common need among Bitcoin \ + users. It is natural and logical to not want other people to know about your funds and transactions without your \ + consent. After all, you wouldn't wear a t-shirt with your bank account balance and credit card reports while you \ + walked down the street, would you? Privacy is an important topic in Bitcoin because the transparent nature of \ + Bitcoin transactions and addresses makes mistakes in this area especially costly. In this section, we cover some \ + points on privacy in your Bitcoin journey. +academy.privacy.whyPrivacyHeadline=Why privacy is relevant +academy.privacy.whyPrivacyContent=Many users value the freedom that Bitcoin provides them to own their property and \ + transact freely and without permission with others. But without good privacy practices, these features of Bitcoin \ + get seriously eroded. Disclosing information about yourself and your Bitcoin funds will put you at risk of several \ + kinds of attacks from others that will restrict your own freedom. Reflecting on what data you are sharing and being \ + mindful of this will prevent you from making costly mistakes that you might regret down the line.\n\nThe first \ + obvious issue with revealing your identity and details about your funds is personal safety. If someone knows details \ + such as how much bitcoin you hold, where you live, and what kind of wallet you are using, they could easily plot a \ + physical attack against you in order to get hold of your keys. This is especially tempting in comparison with \ + national currency bank accounts, since Bitcoin transactions are irreversible. Thus, if a thief manages to force you \ + to send your bitcoin to an address of their own, or just steals your wallet keys and does so himself, there will be no \ + way to cancel that transaction and your bitcoin won't be yours anymore. Keeping your identity and financial details \ + private prevents you from becoming a target of this kind of attack.\n\nAnother good reason to keep your details \ + private is the danger posed by hostile government regulations and actions. Governments throughout the world have \ + repeatedly taken actions against their citizens' private property in various ways. A great example of this is \ + Executive Order 6102, which made it illegal for US citizens to hold gold and caused a unilateral confiscation of \ + gold for millions of US citizens. Just like with regular thieves, ensuring that government entities and personnel \ + hold no information about you and your funds protects you in case the government starts a negative policy against \ + owners of Bitcoin.\n\nOverall, you probably just don't want others to know how much Bitcoin you hold or what \ + transactions you perform. Just like we protect our bank accounts with various methods so that only we can check our \ + balances and movements, it makes sense to ensure others don't have the ability to view the transactions and their \ + details, such as when, how much, or with whom we transact. +academy.privacy.giveUpPrivacyHeadline=How we give up our privacy +academy.privacy.giveUpPrivacyContent=There are many ways in which one can voluntarily or accidentally disclose \ + personal details. Most times, these are easy to prevent with a bit of common sense, since we frequently just give \ + our details away by not being thoughtful about it. Some more subtle leaks will require some technical knowledge and \ + time. But the good news is that, with minimal effort, the most significant issues can be avoided.\n\nThe clear \ + champion of privacy mistakes, both because of how frequent and how terrible it is, is simply providing your ID \ + voluntarily when buying or selling Bitcoin. Nowadays, most centralized exchanges (companies like Coinbase, Kraken, \ + Binance, etc.) are subject to government KYC regulations (KYC stands for Know Your Customer). This means that \ + governments force these companies to ask for your passport, national identity card, driver's license, or similar \ + documents so that this information can be associated with your account. From the moment you give these away, every \ + purchase and sale you make will be recorded and linked to you. Furthermore, the exchange and government agencies \ + will have full visibility of your balances at any time. Even if you decide to take your Bitcoin out of these \ + exchanges and into a wallet you custody yourself, these parties will be able to track which addresses your funds \ + were sent to. And if this is not worrisome enough, there is another concern to keep in mind: if any hacker gains \ + access to the databases of these companies, your information could be leaked publicly to the internet, enabling \ + anyone in the world to know all your stored personal and financial information. This is a situation that has \ + happened many times in the past few years, with terrible consequences for some of the affected customers of the \ + exchanges.\n\nAnother area where attention must be paid is address re-use. Every time you provide someone with an \ + address of your wallet in order to receive some bitcoin from them, this person learns that this address belongs to \ + you. This means that, from this point on, the person could monitor the address and all its activity. If you reuse \ + this address repeatedly, every person you interact with will be able to see the different transactions going through \ + the address, including when they happen, where the funds are coming from and going to, and the amounts being \ + transacted. Hence, it is recommended to only use addresses to receive bitcoin once. Most wallets will take care of \ + this automatically for you, but it's still important for you to understand why this is a good practice.\n\nFinally, \ + relying on other people's nodes to read blockchain data means that the node runner could potentially monitor what \ + addresses your wallet is interested in. When handling significant amounts of Bitcoin, it pays off to learn how to \ + run your own node and connect your wallet to it. Or, at least, be mindful about which node you are connecting to and \ + choose one from a person or organization you trust, such as a friend who is more experienced in Bitcoin or a local \ + Bitcoin community. +academy.privacy.bisqProtectsPrivacyHeadline=Bisq helps protect your privacy +academy.privacy.bisqProtectsPrivacyContent=Bisq allows you to buy and sell Bitcoin from other peers. This simple \ + difference comes with a world of advantages regarding privacy when compared to using centralized exchanges. By using \ + Bisq, you protect your safety and privacy from governments, companies, and other hostile third parties that would \ + otherwise record and use your data against your own interests.\n\nWhen you transact in Bisq, only your peer and you \ + know the details of the transaction. And even between both of you, the information that needs to be shared is \ + completely minimized and restricted to the strictly necessary payment details, like, for example, your bank account \ + number if you want to receive a fiat payment in your bank account. This means there is no need to provide \ + information like your ID, address, etc. Furthermore, the ability to interact with different peers on every trade \ + prevents any single individual from accumulating data about you over time, thus distributing your transaction \ + history across different counterparties and preventing any single entity from holding a complete view of your \ + financial life. Bisq also allows you to receive any bitcoin you purchase directly into an address of a wallet you \ + control, enabling you to keep control of your funds at all times, and to distribute them across different addresses \ + so that no single peer can monitor your entire wallet.\n\nAnd remember: Bisq is just a piece of software that runs \ + in your computer, and only connects to the internet through privacy friendly networks like Tor and I2P. You don't \ + even need to sign up anywhere in a pseudonymous way. Because of this, nobody can even know that you are using Bisq, \ + and your communication with other participants can't be monitored, tracked or accessed by third parties. + + +###################################################### +## Wallets +###################################################### + +academy.wallets.subHeadline=Picking the right tools to handle and secure your bitcoin. +academy.wallets.whatIsAWalletHeadline=What is a wallet +academy.wallets.whatIsAWalletContent=Wallets are your tool to perform the most fundamental actions in Bitcoin: \ + receiving it, storing it and sending it. Since Bitcoin is an open system, anyone can build a wallet for it, and many \ + different ones exist. This is great because it means you have plenty of different options in the market from which \ + to choose, and you can even use multiple different wallets to cover different needs.\n\nGenerally, a wallet is a \ + piece of software that does several things for you: it reads the blockchain to check the balance of the addresses \ + you control. It can build and send transactions when you want to pay someone else. And it holds your keys so that \ + you can sign your transactions. Some of these features look different in different wallets, and some wallets only \ + cover parts of them. To understand this better, it's useful to be familiar with the different characteristics that \ + make wallets different from each other.\n\nFirst, you should understand the difference between a hot wallet and a \ + cold wallet. A hot wallet is a software wallet where the keys that control your bitcoin are stored on an \ + internet-connected device. A cold wallet, on the other hand, is a setup where your keys are stored on a device that \ + is never connected to the internet, and you use a different software to track your balance and prepare and send \ + transactions. Hot wallets are typically a simple app on your phone or laptop. A cold wallet, on the other hand, \ + means you use a software in your phone or laptop that does not hold your keys, and you combine that with a second \ + device that holds the keys and never connects to the internet. This second device could be a dedicated laptop or \ + smartphone, or more commonly, a hardware wallet. Hot wallets are simpler to manage and use, but they are also less \ + secure. Cold wallets require a slightly more complex and cumbersome setup, but offer a much higher degree of safety \ + against hacks and mistakes when handling keys. How to handle the risks of managing your funds is a personal \ + decision, but it is generally recommended to use hot wallets like your traditional wallet for bills and coins in \ + your pocket, and cold wallets like a safe box in a bank. You wouldn't carry a million dollars in your wallet. And \ + you wouldn't use the contents of your safe box to pay for a coffee.\n\nHardware wallets are special physical devices \ + that are designed and manufactured with the sole purpose of storing the keys to your funds and signing transactions \ + with those keys. They offer a convenient way to sign transactions to spend your funds, while storing your keys in a \ + safe way that prevents leaking them to others. Using a hardware wallet improves your safety by orders of magnitude \ + in comparison to using a hot wallet on your main computer or smartphone. If you are getting started on your Bitcoin \ + journey, you don't need to have a wallet since day one, but you probably want to obtain one once you start \ + accumulating an amount of bitcoin that would hurt to lose. There are many hardware wallets on the market, with \ + typical prices being around $100.\n\nAnd a final note: a balance in a centralized exchange is not a wallet. Since \ + you don't control the keys, you are relying on and trusting the centralized exchange to actually hold your bitcoin. \ + If, for any reason, they do not send it to you when you decide to withdraw, there is no way for you to get hold of \ + it. Remember: not your keys, not your coins. +academy.wallets.howToPickHeadline=How to pick a wallet +academy.wallets.howToPickContent=Choosing the right wallet for you is a decision that depends on many factors, such as \ + how you are going to use Bitcoin, what amounts you will be handling, or what devices you own. Nevertheless, there \ + are a few general recommendations that you can follow and specific wallets that have a good track record.\n\nThe \ + first and most important general advice is to pick an open source wallet. Ensuring your wallet's code is verifiable \ + is paramount. You can learn more about this in the Open Source section of Bisq Learn. Another important \ + recommendation is to pick a wallet that doesn't support other cryptocurrencies besides Bitcoin. Wallets that handle \ + multiple cryptocurrencies need to use more complex code to work with the different supported currencies, which \ + introduces bigger security risks. Hence, it is better to choose a Bitcoin-only wallet for your funds. Finally, try \ + to look for wallets that have been around for a while, have strong user bases and have a good reputation. It is best \ + to leave brand-new wallets for advanced usage or experiments at most.\n\nIf you plan on using your wallet on your \ + smartphone, we advise looking into one of the following wallets: Bluewallet, Blockstream Green or Nunchuk. On the \ + other hand, if you want to use a PC, we would suggest using one of the following: Sparrow, Bluewallet, Electrum, \ + Blockstream Green or Nunchuk. These are all good wallets for beginners. You can try several of them to find which \ + one suits you better, or even use multiple ones simultaneously if you want to. As you acquire more experience and \ + knowledge, you might start developing preferences depending on the more advanced features that make these wallets a \ + bit different from each other.\n\nOnce you have enough funds to start taking security even more seriously, it will \ + probably make sense to acquire a hardware wallet. With a hardware wallet, you will be able to store your keys in it \ + and sign transactions with it, while you can still use a software like Sparrow, Bluewallet or Nunchuk to read your \ + balances and prepare transactions. When it comes to hardware wallets, most of the same advice applies: pick wallets \ + that have transparent and public designs, that only support Bitcoin and that have a good reputation and track \ + record. Some well-known brands are Coldcard, Bitbox, Trezor or Foundation.\n\nThe world of wallets is rich and \ + diverse, which is both great and confusing. It's perfectly fine to be a bit overwhelmed at first. If you are just \ + starting out, we would advise researching a bit, trying on some of the options we have shared with you, and, once \ + you find one with which you feel comfortable, stick to it. As you keep learning more about Bitcoin, you can always \ + explore new and more advanced options and switch to any other wallet, or use multiple of them, whenever you like. + + +###################################################### +## Free Open Source Software +###################################################### + +academy.foss.subHeadline=Learn about open code and how it powers Bitcoin and Bisq +academy.foss.bitcoinAndFossHeadline=Bitcoin and open source software +academy.foss.bitcoinAndFossContent=Open source software is software for which the code is publicly accessible and \ + anyone can read, copy and modify that code in any way they see fit. This is in contrast with closed-source or \ + proprietary software, where the original author decides to keep the code to himself and no one else has access or \ + permission to it. Even though this might feel like a technical topic, it is in your interest to understand the \ + implications of open source software on your Bitcoin journey. Let's dive into it.\n\nThe world of Bitcoin is deeply \ + influenced by and related to open source software. The Bitcoin software itself has been open source since day one. \ + Bisq is also an open source project. Many other surrounding technologies, like Lightning clients, mixing services or \ + mining firmware, are typically built as open source projects. Many wallets are also open source, and as we discuss \ + in the Wallets section of Bisq Learn, we heavily recommend that you pick wallets that are open source.\n\nWhy is \ + this so? Closed source software is usually built and kept private by companies and individuals that want to charge \ + others for licenses and keep full control of the project. In the Bitcoin space, this is rarely the case. Bitcoin is \ + an open and welcoming system by nature, and the code is a representation of this. Anyone can see the code, modify \ + it, share copies of their own version with others, and, put simply, do as he pleases with it. Bisq is also an open \ + source project where everyone is welcome to participate, expand the application, and make improvements in different \ + ways. +academy.foss.openSourceBenefitsHeadline=How open source benefits you +academy.foss.openSourceBenefitsContent=You might think that, since you are not a software developer, whether the code \ + of some software is public or not has little relevance to you. This is not the case at all. Even if you don't plan \ + to look at or modify the code of the apps you are using, your experience with them will be deeply affected by \ + whether the code is open or closed source. This is even more critical when we are talking about the software that \ + will run your financial life and support your ability to save, receive and send money. Generally, using open source \ + software will be more beneficial to you than using closed source equivalents. Let's break down a few important \ + reasons that make this important to you.\n\nA highly important reason to choose open source software is security. \ + Since open source software can be read by anyone, hackers and malicious actors regularly try to find errors and \ + security holes in it. You might think that this is dangerous, but it is actually the other way around! This is \ + because the fact that the code is open to everyone means that anyone can look for security issues and either point \ + to them, fix them themselves or exploit them maliciously. Collectively, the community of users and developers around \ + the project will be able to spot and fix most errors quickly, often even before they are released. And if someone \ + uses this error in a malicious way to exploit the software, it won't be long until it gets noticed and solutions are \ + applied. On closed source software, only the small, paid team behind the project is reviewing the code, which \ + translates into a much higher chance of errors going unnoticed. More eyes, fewer bugs. And companies also have an \ + incentive to not disclose the fact that their closed source products have security issues, which leads to many bugs \ + and hacks being kept secret instead of disclosed. Finally, since in closed source projects only the developing team \ + can see the code, how can you or anyone else be fully confident that the software is safe? This links with one \ + common saying in the Bitcoin culture: don't trust, verify. Overall, open source software leads to much more secure \ + and robust results than closed source software.\n\nAnother great reason to choose open source software over closed \ + source is the long term continuity of the former. Code that is public does not depend on any single entity or \ + individual to be maintained over time. Even if the original team behind a project eventually disappears, others can \ + take over and continue maintaining and evolving it. The greatest example of this is Bitcoin itself: even though its \ + pseudonymous creator, Satoshi Nakamoto, disappeared more than ten years ago, the project has kept growing and \ + thriving beyond all expectations. Thus, every time you choose open source software over closed source, you are \ + dramatically reducing the chances that some company or developer will leave you stranded with some unmaintained \ + software that fades and becomes outdated.\n\nFinally, open source projects with widespread usage, like Bitcoin, Bisq \ + or wallets such as Electrum, tend to lead to high-quality products by attracting the best talent. The open nature of \ + the projects allows anyone to collaborate, and many great developers in the space would rather collaborate by \ + building on top of a good project than start a duplicate effort from scratch. Over time, the cumulative \ + contributions of these individuals lead to impressive results that frequently eclipse what most companies, even \ + well-funded ones, could ever achieve.\n\nSumming up, choosing open source options for your Bitcoin tooling comes \ + with a great set of advantages that help you enjoy safe and useful products of high quality. We hope that you become \ + curious about the nature of the code that you use in your daily life and that you make informed choices over the \ + software you run. \ No newline at end of file diff --git a/shared/domain/src/commonMain/resources/mobile/academy_af_ZA.properties b/shared/domain/src/commonMain/resources/mobile/academy_af_ZA.properties new file mode 100644 index 00000000..2d4907dd --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/academy_af_ZA.properties @@ -0,0 +1,94 @@ +###################################################### +## Academy (Learn section) +###################################################### + +academy.overview=Oorsig + +academy.overview.subHeadline=Hitchhiker se Gids na die Kryptoversum +academy.overview.content=Bisq en Bitcoin gemeenskapslede verskaf inhoud om te leer oor die Bitcoin ruimte en help jou om die sein van die geraas te filter. +academy.overview.selectButton=Leer meer + +academy.overview.bisq=Bisq +academy.overview.bisq.content=Leer meer oor Bisq, die Bisq DAO. En vind uit waarom Bisq belangrik is vir jou sekuriteit, privaatheid en om Bitcoin in lyn te hou met sy kernwaardes. +academy.overview.bitcoin=Bitcoin +academy.overview.bitcoin.content=Kry 'n diep duik in Satoshi se koninckgat. Leer oor die konsepte agter die blockchain, mynbou en wat Bitcoin uniek maak. +academy.overview.security=Sekuriteit +academy.overview.security.content=Leer oor sekuriteitskonsepte rakende die hantering van jou Bitcoin fondse. Maak seker jy verstaan die beste praktyke om jou Bitcoin veilig te hou. +academy.overview.privacy=Privaatheid +academy.overview.privacy.content=Waarom is privaatheid belangrik? Wat is die risiko's wanneer maatskappye jou data versamel? Waarom is privaatheid 'n vereiste vir 'n liberale samelewing en vir sekuriteit? +academy.overview.wallets=Beursies +academy.overview.wallets.content=Wil jy uitvind watter beursie die beste by jou behoeftes pas? Lees hier oor die beste opsies vir beursies. +academy.overview.foss=Openbron +academy.overview.foss.content=Bisq is gratis en oopbron sagteware (FOSS) gebaseer op die GPL lisensie. Waarom is FOSS belangrik? Belangstel om by te dra? + + +###################################################### +## Bisq +###################################################### + +academy.bisq.subHeadline=Bisq is gratis en oopbron sagteware vir die ruil van Bitcoin met fiat geldeenhede of ander kripto-gelde in 'n gedesentraliseerde en vertrouens-minimaliserende manier. +academy.bisq.exchangeDecentralizedHeadline=Ruil, gedesentraliseerd +academy.bisq.exchangeDecentralizedContent=Bisq is 'n ruiltoepassing waar jy Bitcoin kan koop en verkoop vir nasionale geldeenhede of ander kripto-gelde. Anders as die meeste ruilalternatiewe, is Bisq beide gedesentraliseerd en peer-to-peer.\n\nDit is gedesentraliseerd omdat dit nie afhanklik is van, of beheer word deur, enige enkele maatskappy, span of regering nie. Gedesentraliseerde struktuur maak Bisq 'n veerkragtige netwerk: net soos Bitcoin, bestaan dit weens gebruikers soos jy. Aangesien daar geen enkele element is waarop alles staatmaak nie, is dit beduidend moeilik vir enigiemand om die netwerk te stop of te benadeel. Dit is peer-to-peer omdat elke handel wat jy uitvoer, ooreenstem met 'n ander gebruiker net soos jy. Dit help jou om jou privaatheid te beskerm teen sentraliseerde elemente soos regerings en tradisionele finansiële instellings. Dit maak ook Bisq toestemmingloos: jy het nie enige iemand se toestemming nodig om dit te gebruik nie, en niemand kan jou stop om dit te doen nie.\n\nTans bestaan daar twee toepassings: Bisq 1 en Bisq 2. Bisq 2 is die toepassing waar jy hierdie lees. Ons beveel aan dat jy jou vertroud maak met Bisq 2 voordat jy probeer om meer oor Bisq 1 te leer. +academy.bisq.whyBisqHeadline=Waarom Bisq +academy.bisq.whyBisqContent=For many users, Bisq is the preferred method to buy or sell Bitcoin in exchange for national currencies. This is because Bisq's nature results in a completely different experience to that of Centralized Exchanges.\n\nUsers also value the privacy-respecting nature of Bisq. You don't need to provide any kind of personal information to use Bisq. Whenever you trade, you only need to share your payment details with your trade partner. Nobody else has access to this data, and there is no central database where all of your information and transactions will end up stored for years or decades.\n\nBisq also allows users to overcome any lack of permissions that can be imposed arbitrarily by their local governments or financial institutions. Examples of this can be governments that declare Bitcoin possession or trading illegal, or banks that forbid customers from sending their own money to exchange institutions. Users in these situations find in Bisq a way to work around them being excluded from the traditional financial system for any kind of reason.\n\nFinally, Bisq is a safe way to exchange Bitcoin and national currencies. The existing trade protocols and reputation systems prevent bad actors from stealing your funds. Mediators are always available to support you if another peer is not behaving properly and will step in if necessary to work out a solution for your case. The result: Bisq users can happily trade with others without having to worry about being scammed and losing their funds. +academy.bisq.tradeSafelyHeadline=Handel veilig +academy.bisq.tradeSafelyContent=Exchanging your Bitcoin and national currencies with other peers comes with great benefits like not depending on companies or protecting your privacy. But you might be wondering: how can I know if the peer I'm trading with is honest? Won't I get scammed? Those are valid concerns that you should always keep in mind and that Bisq addresses in several ways to allow safe trading.\n\nThe different trade protocols (you can think of a protocol as the rules you and your peer will have to follow) minimize the risk of any actor scamming their peer during a trade. There is usually a trade-off between security and convenience: some protocols are more robust, others are more convenient and fast. It is up to you to decide which protocol to use on each trade, depending on your preferences and needs, as well as the traded amount. Protocols like Bisq Easy are recommended for small sums of money, while more robust and structured protocols like Bisq MuSig are advisable for larger amounts.\n\nIf your trade ends up in a conflict with your trade peer, or the peer simply disappears and becomes unresponsive, you will not be left alone. Mediators and arbitrators are always available to advice and provide solutions in these situations. These roles will observe each case, propose friendly solutions between the traders, and potentially make final decisions if no agreements are reached. If you have acted honestly and followed the rules, the outcomes will be in your favor and you will never lose your funds.\n\nIn summary, Bisq is designed to minimize the need for trusting other peers and to discourage scamming and other bad behaviors. This translates in very few trades having any kind of conflict, and those which do will always be solved in a reasonable way through mediation and/or arbitration. The result: trading in Bisq is a safe and smooth experience. + + +###################################################### +## Bitcoin +###################################################### + +academy.bitcoin.subHeadline='n peer-tot-peer elektroniese kontant wat toelaat dat aanlyn betalings direk gestuur word sonder intermediêre. +academy.bitcoin.whatIsBitcoinHeadline=Wat is Bitcoin +academy.bitcoin.whatIsBitcoinContent=Bitcoin is die grootste en mees gewilde cryptocurrency in die wêreld. Dit is 'n digitale vorm van kontant wat enige iemand in staat stel om waarde na ander mense te stuur sonder die behoefte aan intermediêre. Dit het in 2009 begin en het sedertdien massief gegroei, met aanneming regoor die wêreld as gevolg van sy unieke en aantreklike eienskappe.\n\nBitcoin verskil van alle nasionale geldeenhede in verskeie aspekte. Bitcoin word nie deur enige regering of instelling beheer of uitgegee nie. Dit is gedesentraliseerd, en dit bestaan slegs weens die duisende mense regoor die wêreld wat dit gebruik. Dit maak dit neutrale geld, waar niemand in 'n bevoorregte posisie is wat misbruik toelaat. Dit beteken ook dat jy vry is om Bitcoin te gebruik sonder om enige soort toestemming te vereis, en niemand in die stelsel het meer mag as jy. Dit is 'n oop stelsel wat almal verwelkom. 'n Ander belangrike eienskap is dat jy Bitcoin in self-bewaring kan hou. Met ander woorde, jy kan dit self besit sonder om op enige ander maatskappy of entiteit te staatmaak. As jy dit met tradisionele geldeenhede vergelyk, is dit meer soortgelyk aan kontant in jou sak (wat jy heeltemal beheer) as aan 'n balans in 'n bankrekening (waar jy onderhewig is aan die bank se voorwaardes en wense). As gevolg hiervan is jy ook altyd vry om Bitcoin te stuur: jy het nie iemand se goedkeuring nodig om dit te doen nie, en jou transaksies kan nie gestop of omgekeer word nie. 'n Derde interessante aspek is dat Bitcoin se aanbod beperk is tot 'n maksimum van 21 miljoen. Dit beteken dat die waarde van elke Bitcoin, anders as die waarde van elke dollar byvoorbeeld, nie verlaag kan word deur meer daarvan te skep nie. Bitcoin word geskep deur 'n duur proses wat mining genoem word, en beide die emissieskedule en maksimum hoeveelheid wat geskep kan word, is streng gedefinieer en kan nie gewysig word nie. Dit maak die aanbod beperk, seker en voorspelbaar, wat Bitcoin aantreklik maak weens sy skaarste en robuustheid. +academy.bitcoin.whyUseBitcoinHeadline=Waarom gebruik Bitcoin +academy.bitcoin.whyUseBitcoinContent=Bitcoin se eienskappe maak dit 'n unieke bate wat verskillende mense om verskillende redes aantrek. Hoe Bitcoin jou aanspreek, hang af van jou profiel en behoeftes.\n\nEen van die mees algemene redes waarom mense Bitcoin gebruik, is sy vermoë om waarde oor tyd te beskerm. Die nasionale geldeenhede van die meeste lande in die wêreld verloor voortdurend waarde oor tyd as gevolg van geldeenheiddebasering. Dit beteken dat deur jou spaargeld in kontant of in 'n bankrekening te hou, jy dit geleidelik verloor omdat hul waarde oor tyd daal. Bitcoin se beperkte aanbod keer dit om te gebeur, so selfs al gedra dit hom op 'n onbestendige manier op die kort termyn, is dit 'n kragtige hulpmiddel om jou rykdom op die lang termyn te behou.\n\n'n Ander rede waarom individue Bitcoin gebruik, is om hulleself te beskerm teen die aksies en besluite van regerings en finansiële instellings. Aangesien Bitcoin iets is wat jy kan besit, stuur en ontvang op 'n toestemming-vrye manier, word die waarde wat daarin gestoor is nie beïnvloed deur situasies soos 'n sentrale bank wat meer eenhede van sy nasionale geldeenheid druk, 'n bank wat besluit om jou oordragte om arbitrêre redes te blokkeer, of 'n regering wat konfiskasies op sy bevolking afdwing nie. Met Bitcoin is die spelreëls goed bekend en voorspelbaar, en jy kan staatmaak op die netwerk om regverdig te wees en almal gelyk te behandel.\n\nBitcoin is ook baie aantreklik vir diegene wat betrokke is by internasionale handel en soek om geld na ander lande of streke te stuur of te ontvang. Bitcoin het geen konsep van grense nie en werk dieselfde of jy nou 'n bietjie na jou buurman of na iemand aan die ander kant van die wêreld stuur. Aangesien dit gewoonlik lang wagtye, beduidende fooie en omslagtige administrasie beteken om betalings aan mense of maatskappye in verskillende streke van die wêreld te maak, het sommige mense Bitcoin gekies as 'n eenvoudige en gerieflike alternatief vir hul grensoverschrijdende betalings. Dit beteken ook dat jy dit kan gebruik om geld na lande te stuur wat jou regering of bank besluit het om te blokkeer.\n\nLaastens het sommige mense Bitcoin gekies vir sy eenvoud en gerief. Bitcoin bied baie voordele in hierdie opsig ten opsigte van tradisionele geldeenhede. Met dit, hoef jy nie te doen met kontrakte en lang burokratiese prosesse om eenvoudige dinge soos om 'n rekening te open te doen nie. Jy kan maklik toegang tot jou geld op al jou toestelle kry. Jy kan dit enige plek en aan enigiemand stuur sonder die behoefte aan verskillende vorme van betaling (kontant, bankoordragte van verskillende soorte, kredietkaarte, ens.). Jy kan jou fondse maklik beskerm en beveilig met die regte kennis, en jy sal geniet om nie te hoef te bekommer oor iemand wat jou beursie of kredietkaartbesonderhede steel nie.\n\nBitcoin is 'n enorme en innoverende stap vorentoe in die wêreld van geld en betalings. Daar is byna sekerlik 'n rede waarom Bitcoin aantreklik en nuttig kan wees vir jou behoeftes, so ons moedig jou aan om meer te leer en om vertroud te raak daarmee. + + +###################################################### +## Security +###################################################### + +academy.security.subHeadline=Verseker dat jy, en net jy, altyd toegang tot jou fondse het +academy.security.introContent=Because Bitcoin is quite different from national currencies in the way it works, the precautions you need to take are also quite different from what you are probably used to. This is also a highly important topic because, while Bitcoin provides you with a lot of power and freedom, it also makes you responsible for taking care of your funds. Therefore, you should invest some time and effort to learn how to do so securely.\n\nWhile security is a complex topic, we can boil things down to three main goals: to ensure that other people never have access to your private keys, to ensure that you always have access to your private keys, and to avoid accidentally sending your bitcoin away to scammers and other untrusted peers. +academy.security.securingYourKeysHeadline=Beveiliging van jou sleutels +academy.security.securingYourKeysContent=Eerst en vooral moet jy een eenvoudige idee verstaan: nie jou sleutels nie, nie jou munte nie. Dit beteken dat, om jou Bitcoin werklik te besit, dit in 'n beursie gestoor moet word waar jy, en net jy, die sleutels besit. Dus, om 'n Bitcoin balans in entiteite soos banke of gesentraliseerde beurze te hou, is nie werklik om die bate te besit nie, aangesien dit daardie entiteite is, en nie jy nie, wat die sleutels tot jou fondse hou. As jy werklik jou Bitcoin wil besit, moet jy dit in 'n beursie stoor waarvoor net jy die sleutels beheer.\n\nDaar is baie Bitcoin beursies daar buite, elk met sy eie unieke ontwerp en kenmerke. Wat hulle almal gemeen het, is dat hulle op een of ander manier jou privaat sleutels sal stoor. Hierdie sleutels bied toegang tot jou fondse. Watter beursie jy ook al gebruik, jy moet seker maak dat net jy, of mense wat jy heeltemal vertrou, toegang tot hierdie sleutels het. As iemand anders toegang tot hulle het, sal hulle in staat wees om jou fondse van jou te steel, en daar kan niks gedoen word om hierdie transaksie te keer nie. Aan die ander kant is dit ewe vreesaanjaend om die sleutels self te verloor. As jy jou sleutels verloor, sal jy nie meer in staat wees om jou fondse te stuur nie, en daar is geen manier om weer beheer daaroor te neem nie. Alhoewel dit dalk ontmoedigend klink, kan jy hierdie situasies maklik vermy met 'n bietjie leer en goeie praktyke.\n\nDie meeste Bitcoin beursies sal jou 'n 12 of 24 woorde lange rugsteun bied, algemeen bekend as die mnemoniese frase of eenvoudig die saadfrase. Hierdie rugsteun frase stel jou in staat om jou beursie op enige toestel te herstel, wat dit die belangrikste element maak om te beveilig. Dit word algemeen aanbeveel om hierdie rugsteun in analoog vorm te stoor, tipies deur dit op 'n stuk papier of op 'n klein metaalplaat te skryf, en om verskeie kopieë daarvan te hê. Jy moet dit ook stoor sodat jy dit kan vind as jy dit nodig het, maar niemand anders kan toegang daartoe kry nie.\n\nVir beduidende hoeveelhede Bitcoin, is dit gebruiklik om gespesialiseerde toestelle genaamd Hardeware Beursies te gebruik om jou sleutels te stoor. Hierdie toestelle bied 'n hoër vlak van sekuriteit ten opsigte van die stoor van jou sleutels in 'n slimfoon of skootrekenaar beursie, terwyl dit 'n gerieflike ervaring bied wanneer dit kom by die maak van transaksies. Jy kan meer leer oor hierdie en ander tipes beursies in die Beursies afdeling van Bisq Leer.\n\nLaastens, maak seker om te vermy om oormatig ingewikkelde stoor skemas te hê. 'n Gevorderde stoorplan met baie besonderhede en subtiele nuanses sal die diewe weg hou van jou fondse, maar daar is ook 'n beduidende kans dat jy dalk nie toegang tot jou eie beursie kan kry nie weens foute, verwarring, of eenvoudig om te vergeet hoe jy die rugsteun georganiseer het. Streef na 'n balans tussen 'n opstelling wat te eenvoudig is en wat enigeen maklik kan breek (soos om jou saadfrase in 'n gewone tekslêer op jou skootrekenaar se lessenaar te stoor) en een wat so kompleks is dat nie eens jy dit kan kraak nie (soos om die woorde van jou saadfrase oor 12 boeke in 12 verskillende plekke te stoor). +academy.security.avoidScamsHeadline=Vermy bedrog +academy.security.avoidScamsContent='n Ander bron van probleme en risiko's is bedrog. Bitcoin se transaksies is onomkeerbaar, wat beteken dat as iemand jou mislei om vir hulle 'n bietjie Bitcoin te stuur en dan daarmee weghardloop, daar regtig nie veel is wat jy daaroor kan doen nie. Vanweë dit is dit algemeen om verskillende skemas te teëkom waar mense jou sal probeer oorreed om 'n bietjie Bitcoin na hulle te stuur. Meestal sal bedrogspul jou 'n wonderlike "geleentheid" aanbied om maklik geld te verdien, wat geneig is om te goed te klink om waar te wees. Die spesifieke stories en besonderhede rondom hierdie bedrog is uiters uiteenlopend en kreatief, maar die algemene patroon sal altyd dieselfde lyk: jy sal wonderlike opbrengste aangebied word, maar eers sal jy Bitcoin vooruit moet stuur. Sodra die Bitcoin gestuur is, sal jy waarskynlik dit nooit weer terug sien nie. Om jouself teen hierdie bedrog te verdedig is eenvoudig: interaksie slegs met reputabele en vertroude maatskappye en mense. As jy voel 'n entiteit is verdag, vra vir verwysings of vermy dit eenvoudig. As jy 'n geleentheid aangebied word wat amper te goed klink om waar te wees, is dit waarskynlik, en jy moet daar wegbly. + + +###################################################### +## Privacy +###################################################### + +academy.privacy.subHeadline=Jou data is joune. Hou dit so. +academy.privacy.introContent=Die behoud van jou finansiële inligting en identiteit privaat is 'n algemene behoefte onder Bitcoin gebruikers. Dit is natuurlik en logies om nie te wil hê dat ander mense oor jou fondse en transaksies weet sonder jou toestemming nie. Uiteindelik, jy sou nie 'n t-hemp dra met jou bankrekening balans en kredietkaart verslae terwyl jy op die straat loop nie, reg? Privaatheid is 'n belangrike onderwerp in Bitcoin omdat die deursigtige aard van Bitcoin transaksies en adresse foute in hierdie area veral duur maak. In hierdie afdeling behandel ons 'n paar punte oor privaatheid in jou Bitcoin reis. +academy.privacy.whyPrivacyHeadline=Waarom privaatheid relevant is +academy.privacy.whyPrivacyContent=Baie gebruikers waardeer die vryheid wat Bitcoin hulle bied om hul eiendom te besit en vrylik en sonder toestemming met ander te transaksie. Maar sonder goeie privaatheid praktyke, word hierdie kenmerke van Bitcoin ernstig erodeer. Om inligting oor jouself en jou Bitcoin fondse bekend te maak, sal jou blootstel aan verskeie soorte aanvalle van ander wat jou eie vryheid sal beperk. Om na te dink oor watter data jy deel en om hiervan bewus te wees, sal jou keer om kostelike foute te maak wat jy dalk later sal betreur.\n\nDie eerste voor die hand liggende probleem met die onthulling van jou identiteit en besonderhede oor jou fondse is persoonlike veiligheid. As iemand besonderhede weet soos hoeveel Bitcoin jy besit, waar jy woon, en watter soort beursie jy gebruik, kan hulle maklik 'n fisiese aanval teen jou beplan om jou sleutels te bekom. Dit is veral aantreklik in vergelyking met nasionale geldeenheid bankrekeninge, aangesien Bitcoin transaksies onomkeerbaar is. Dus, as 'n diewe daarin slaag om jou te dwing om jou Bitcoin na 'n adres van hul eie te stuur, of net jou beursie sleutels steel en dit self doen, sal daar geen manier wees om daardie transaksie te kanselleer nie en jou Bitcoin sal nie meer joune wees nie. Om jou identiteit en finansiële besonderhede privaat te hou, keer jou om 'n teiken van hierdie soort aanval te word.\n\nNog 'n goeie rede om jou besonderhede privaat te hou, is die gevaar wat deur vyandige regeringsregulasies en aksies ontstaan. Regerings regoor die wêreld het herhaaldelik aksies teen hul burgers se private eiendom op verskillende maniere geneem. 'n Goeie voorbeeld hiervan is Executive Order 6102, wat dit onwettig gemaak het vir Amerikaanse burgers om goud te besit en 'n unilaterale konfiskasie van goud vir miljoene Amerikaanse burgers veroorsaak het. Net soos met gewone diewe, verseker dat regeringsentiteite en personeel geen inligting oor jou en jou fondse het, beskerm jou in die geval dat die regering 'n negatiewe beleid teen eienaars van Bitcoin begin.\n\nAlgeheel, jy wil waarskynlik net nie hê dat ander moet weet hoeveel Bitcoin jy besit of watter transaksies jy uitvoer nie. Net soos ons ons bankrekeninge met verskillende metodes beskerm sodat slegs ons ons balanse en bewegings kan nagaan, maak dit sin om te verseker dat ander nie die vermoë het om die transaksies en hul besonderhede te sien nie, soos wanneer, hoeveel, of met wie ons transaksie. +academy.privacy.giveUpPrivacyHeadline=Hoe ons ons privaatheid prysgee +academy.privacy.giveUpPrivacyContent=Daar is baie maniere waarop 'n mens vrywillig of per ongeluk persoonlike besonderhede kan bekendmaak. Meestal is dit maklik om te voorkom met 'n bietjie gesonde verstand, aangesien ons dikwels net ons besonderhede weggee deur nie daaroor na te dink nie. Sommige meer subtiele lekke sal 'n bietjie tegniese kennis en tyd vereis. Maar die goeie nuus is dat, met minimale moeite, die mees betekenisvolle probleme vermy kan word.\n\nDie duidelike kampioen van privaatheidsfoute, beide vanweë hoe gereeld en hoe verskriklik dit is, is eenvoudig om jou ID vrywillig te verskaf wanneer jy Bitcoin koop of verkoop. Vandag is die meeste gesentraliseerde beurze (maatskappye soos Coinbase, Kraken, Binance, ens.) onderhewig aan regerings KYC-regulasies (KYC staan vir Ken jou Kliënt). Dit beteken dat regerings hierdie maatskappye dwing om jou paspoort, nasionale identiteitskaart, bestuurderslisensie of soortgelyke dokumente te vra sodat hierdie inligting aan jou rekening gekoppel kan word. Vanaf die oomblik dat jy dit weggee, sal elke aankoop en verkoop wat jy maak, opgeteken en aan jou gekoppel word. Verder sal die beurs en regeringsagentskappe ten volle sigbaarheid hê van jou balanse te eniger tyd. Selfs as jy besluit om jou Bitcoin uit hierdie beurze en in 'n beursie wat jy self besit, te neem, sal hierdie partye in staat wees om te volg na watter adresse jou fondse gestuur is. En as dit nie genoeg om te bekommer nie, is daar nog 'n bekommernis om in gedagte te hou: as enige hacker toegang tot die databasisse van hierdie maatskappye kry, kan jou inligting publiek aan die internet bekend gemaak word, wat dit vir enigiemand in die wêreld moontlik maak om al jou gestoor persoonlike en finansiële inligting te ken. Dit is 'n situasie wat al baie keer in die afgelope paar jaar gebeur het, met verskriklike gevolge vir sommige van die geraakte kliënte van die beurze.\n\nNog 'n area waar aandag gegee moet word, is adres hergebruik. Elke keer as jy iemand 'n adres van jou beursie verskaf om 'n bietjie Bitcoin van hulle te ontvang, leer hierdie persoon dat hierdie adres aan jou behoort. Dit beteken dat, vanaf hierdie punt, die persoon die adres en al sy aktiwiteit kan monitor. As jy hierdie adres herhaaldelik hergebruik, sal elke persoon met wie jy kommunikeer, in staat wees om die verskillende transaksies wat deur die adres gaan, te sien, insluitend wanneer dit gebeur, waar die fondse vandaan kom en waarheen dit gaan, en die bedrae wat verhandel word. Daarom word dit aanbeveel om adresse slegs een keer te gebruik om Bitcoin te ontvang. Meeste beursies sal dit outomaties vir jou hanteer, maar dit is steeds belangrik dat jy verstaan waarom dit 'n goeie praktyk is.\n\nLaastens, om op ander mense se nodes staat te maak om blockchain-data te lees, beteken dat die node-loper moontlik kan monitor watter adresse jou beursie belangstel in. Wanneer jy met beduidende hoeveelhede Bitcoin werk, is dit voordelig om te leer hoe om jou eie node te bestuur en jou beursie daaraan te koppel. Of, ten minste, wees bedagsaam oor watter node jy aansluit en kies een van 'n persoon of organisasie wat jy vertrou, soos 'n vriend wat meer ervare in Bitcoin is of 'n plaaslike Bitcoin-gemeenskap. +academy.privacy.bisqProtectsPrivacyHeadline=Bisq help beskerm jou privaatheid +academy.privacy.bisqProtectsPrivacyContent=Bisq laat jou toe om Bitcoin van ander deelnemers te koop en te verkoop. Hierdie eenvoudige verskil kom met 'n wêreld van voordele rakende privaatheid in vergelyking met die gebruik van gesentraliseerde beurze. Deur Bisq te gebruik, beskerm jy jou veiligheid en privaatheid teenoor regerings, maatskappye en ander vyandige derde partye wat andersins jou data teen jou eie belange sou opneem en gebruik.\n\nWanneer jy in Bisq transaksies doen, weet slegs jy en jou deelnemer die besonderhede van die transaksie. En selfs tussen julle twee, is die inligting wat gedeel moet word heeltemal geminimaliseer en beperk tot die streng nodige betalingsbesonderhede, soos byvoorbeeld jou bankrekeningnommer as jy 'n fiat-betaling in jou bankrekening wil ontvang. Dit beteken daar is geen behoefte om inligting soos jou ID, adres, ens. te verskaf nie. Verder, die vermoë om met verskillende deelnemers op elke handel te interaksie, voorkom dat enige enkele individu oor tyd data oor jou opbou, en versprei jou transaksiegeskiedenis oor verskillende teenpartye en voorkom dat enige enkele entiteit 'n volledige oorsig van jou finansiële lewe hou. Bisq laat jou ook toe om enige Bitcoin wat jy koop, direk in 'n adres van 'n beursie wat jy beheer, te ontvang, wat jou in staat stel om te alle tye beheer oor jou fondse te hou, en om dit oor verskillende adresse te versprei sodat geen enkele deelnemer jou hele beursie kan monitor nie.\n\nEn onthou: Bisq is net 'n stuk sagteware wat op jou rekenaar loop, en wat slegs met die internet verbind deur privaatheidsvriendelike netwerke soos Tor en I2P. Jy hoef glad nie enige plek aan te meld nie op 'n pseudonieme manier. As gevolg hiervan kan niemand selfs weet dat jy Bisq gebruik nie, en jou kommunikasie met ander deelnemers kan nie deur derde partye gemonitor, opgespoor of toegang verkry word nie. + + +###################################################### +## Wallets +###################################################### + +academy.wallets.subHeadline=Kies die regte gereedskap om jou Bitcoin te hanteer en te beveilig. +academy.wallets.whatIsAWalletHeadline=Wat is 'n beursie +academy.wallets.whatIsAWalletContent=Beursies is jou hulpmiddel om die mees fundamentele aksies in Bitcoin uit te voer: om dit te ontvang, te stoor en te stuur. Aangesien Bitcoin 'n oop stelsel is, kan enigiemand 'n beursie daarvoor bou, en daar bestaan baie verskillende eenhede. Dit is wonderlik omdat dit beteken jy het baie verskillende opsies in die mark om van te kies, en jy kan selfs verskeie verskillende beursies gebruik om verskillende behoeftes te dek.\n\nIn die algemeen is 'n beursie 'n stuk sagteware wat verskeie dinge vir jou doen: dit lees die blockchain om die balans van die adresse wat jy beheer te kontroleer. Dit kan transaksies opbou en stuur wanneer jy iemand anders wil betaal. En dit hou jou sleutels sodat jy jou transaksies kan teken. Sommige van hierdie kenmerke lyk anders in verskillende beursies, en sommige beursies dek slegs dele daarvan. Om dit beter te verstaan, is dit nuttig om bekend te wees met die verskillende eienskappe wat beursies van mekaar verskil.\n\nEerstens, jy moet die verskil tussen 'n warm beursie en 'n koue beursie verstaan. 'n Warm beursie is 'n sagteware beursie waar die sleutels wat jou Bitcoin beheer, op 'n internet-verbonden toestel gestoor word. 'n Koue beursie, aan die ander kant, is 'n opstelling waar jou sleutels op 'n toestel gestoor word wat nooit aan die internet gekoppel is nie, en jy gebruik 'n ander sagteware om jou balans te volg en transaksies voor te berei en te stuur. Warm beursies is tipies 'n eenvoudige app op jou foon of skootrekenaar. 'n Koue beursie, aan die ander kant, beteken jy gebruik 'n sagteware op jou foon of skootrekenaar wat nie jou sleutels hou nie, en jy kombineer dit met 'n tweede toestel wat die sleutels hou en nooit aan die internet koppel nie. Hierdie tweede toestel kan 'n toegewyde skootrekenaar of slimfoon wees, of meer algemeen, 'n hardeware beursie. Warm beursies is eenvoudiger om te bestuur en te gebruik, maar hulle is ook minder veilig. Koue beursies vereis 'n effens meer komplekse en omslagtige opstelling, maar bied 'n baie hoër graad van veiligheid teen hacks en foute wanneer sleutels hanteer word. Hoe om die risiko's van die bestuur van jou fondse te hanteer is 'n persoonlike besluit, maar dit word algemeen aanbeveel om warm beursies soos jou tradisionele beursie vir biljetjies en munte in jou sak te gebruik, en koue beursies soos 'n veilige boks in 'n bank. Jy sou nie 'n miljoen dollar in jou beursie dra nie. En jy sou nie die inhoud van jou veilige boks gebruik om vir 'n koffie te betaal nie.\n\nHardeware beursies is spesiale fisiese toestelle wat ontwerp en vervaardig is met die uitsluitlike doel om die sleutels tot jou fondse te stoor en transaksies met daardie sleutels te teken. Hulle bied 'n gerieflike manier om transaksies te teken om jou fondse te bestee, terwyl hulle jou sleutels op 'n veilige manier stoor wat voorkom dat hulle aan ander geleak word. Die gebruik van 'n hardeware beursie verbeter jou veiligheid met 'n orde van grootte in vergelyking met die gebruik van 'n warm beursie op jou hoof rekenaar of slimfoon. As jy aan jou Bitcoin-reis begin, hoef jy nie 'n beursie te hê nie vanaf dag een, maar jy wil waarskynlik een bekom sodra jy 'n bedrag Bitcoin begin opbou wat seergemaak sou het om te verloor. Daar is baie hardeware beursies op die mark, met tipiese pryse wat rondom $100 is.\n\nEn 'n laaste nota: 'n balans in 'n gesentraliseerde beurs is nie 'n beursie nie. Aangesien jy nie die sleutels beheer nie, staatmaak jy op en vertrou jy die gesentraliseerde beurs om jou Bitcoin werklik te hou. As hulle om enige rede nie dit aan jou stuur wanneer jy besluit om te onttrek nie, is daar geen manier vir jou om dit te bekom nie. Onthou: nie jou sleutels nie, nie jou munte nie. +academy.wallets.howToPickHeadline=Hoe om 'n beursie te kies +academy.wallets.howToPickContent=Die keuse van die regte beursie vir jou is 'n besluit wat afhang van baie faktore, soos hoe jy Bitcoin gaan gebruik, watter bedrae jy gaan hanteer, of watter toestelle jy besit. Nietemin, daar is 'n paar algemene aanbevelings wat jy kan volg en spesifieke beursies wat 'n goeie rekord het.\n\nDie eerste en mees belangrike algemene advies is om 'n oopbron beursie te kies. Om te verseker dat jou beursie se kode verifieerbaar is, is van die grootste belang. Jy kan meer hieroor leer in die Oopbron afdeling van Bisq Learn. 'n Ander belangrike aanbeveling is om 'n beursie te kies wat nie ander kripto-geldeenhede behalwe Bitcoin ondersteun nie. Beursies wat verskeie kripto-geldeenhede hanteer, moet meer komplekse kode gebruik om met die verskillende ondersteunende geldeenhede te werk, wat groter sekuriteitsrisiko's inbring. Daarom is dit beter om 'n Bitcoin-slegs beursie vir jou fondse te kies. Laastens, probeer om beursies te soek wat al 'n rukkie bestaan, 'n sterk gebruikersbasis het en 'n goeie reputasie het. Dit is die beste om splinternuwe beursies vir gevorderde gebruik of eksperimente te laat.\n\nAs jy van plan is om jou beursie op jou slimfoon te gebruik, beveel ons aan om een van die volgende beursies te oorweeg: Bluewallet, Blockstream Green of Nunchuk. Aan die ander kant, as jy 'n rekenaar wil gebruik, sou ons voorstel om een van die volgende te gebruik: Sparrow, Bluewallet, Electrum, Blockstream Green of Nunchuk. Hierdie is almal goeie beursies vir beginners. Jy kan verskeie van hulle probeer om te sien watter een beter by jou pas, of selfs verskeie terselfdertyd gebruik as jy wil. Soos jy meer ervaring en kennis opdoen, mag jy begin om voorkeure te ontwikkel, afhangende van die meer gevorderde kenmerke wat hierdie beursies 'n bietjie van mekaar verskil.\n\nSodra jy genoeg fondse het om sekuriteit nog ernstiger te neem, sal dit waarskynlik sin maak om 'n hardeware beursie aan te skaf. Met 'n hardeware beursie sal jy in staat wees om jou sleutels daarin te stoor en transaksies daarmee te teken, terwyl jy steeds 'n sagteware soos Sparrow, Bluewallet of Nunchuk kan gebruik om jou balanse te lees en transaksies voor te berei. Wanneer dit by hardeware beursies kom, geld die meeste van dieselfde advies: kies beursies wat deursigtige en openbare ontwerpe het, wat slegs Bitcoin ondersteun en wat 'n goeie reputasie en rekord het. Sommige bekende handelsmerke is Coldcard, Bitbox, Trezor of Foundation.\n\nDie wêreld van beursies is ryk en uiteenlopend, wat beide wonderlik en verwarrend is. Dit is heeltemal reg om aanvanklik 'n bietjie oorweldig te voel. As jy net begin, beveel ons aan om 'n bietjie navorsing te doen, sommige van die opsies wat ons met jou gedeel het, te probeer, en, sodra jy een vind waarmee jy gemaklik voel, daaraan te hou. Soos jy aanhou om meer oor Bitcoin te leer, kan jy altyd nuwe en meer gevorderde opsies verken en na enige ander beursie oorgaan, of verskeie daarvan gebruik, wanneer jy wil. + + +###################################################### +## Free Open Source Software +###################################################### + +academy.foss.subHeadline=Leer oor oop kode en hoe dit Bitcoin en Bisq kraggee +academy.foss.bitcoinAndFossHeadline=Bitcoin en oopbronsagteware +academy.foss.bitcoinAndFossContent=Open source sagte is sagte waarvoor die kode publiek beskikbaar is en enigeen kan daardie kode lees, kopieer en wysig op enige manier wat hulle geskik ag. Dit staan in teenstelling met geslote-sagteware of eiendom sagteware, waar die oorspronklike outeur besluit om die kode vir homself te hou en niemand anders toegang of toestemming het nie. Alhoewel dit dalk soos 'n tegniese onderwerp voel, is dit in jou belang om die implikasies van open source sagteware op jou Bitcoin-reis te verstaan. Kom ons duik in.\n\nDie wêreld van Bitcoin is diep beïnvloed deur en verwant aan open source sagteware. Die Bitcoin sagteware self is sedert dag een open source. Bisq is ook 'n open source projek. Baie ander omliggende tegnologieë, soos Lightning-kliënte, mengdienste of mynfirmware, word tipies gebou as open source projekte. Baie beursies is ook open source, en soos ons in die Beursies-afdeling van Bisq Leer bespreek, beveel ons sterk aan dat jy beursies kies wat open source is.\n\nWaarom is dit so? Geslote-sagteware word gewoonlik gebou en privaat gehou deur maatskappye en individue wat ander wil laat betaal vir lisensies en volle beheer oor die projek wil hou. In die Bitcoin-ruimte is dit selde die geval. Bitcoin is van nature 'n oop en verwelkomende stelsel, en die kode is 'n voorstelling hiervan. Enigeen kan die kode sien, dit wysig, kopieë van hul eie weergawe met ander deel, en, eenvoudig gestel, doen wat hy wil daarmee. Bisq is ook 'n open source projek waar almal welkom is om deel te neem, die toepassing uit te brei, en verbeterings op verskillende maniere aan te bring. +academy.foss.openSourceBenefitsHeadline=Hoe oopbron jou bevoordeel +academy.foss.openSourceBenefitsContent=Jy mag dink dat, aangesien jy nie 'n sagteware-ontwikkelaar is nie, of die kode van sommige sagteware publiek of nie is, min relevansie vir jou het. Dit is glad nie die geval nie. Selfs al beplan jy nie om die kode van die toepassings wat jy gebruik, te kyk of te wysig nie, sal jou ervaring met hulle diep beïnvloed word deur of die kode oop of geslote bron is. Dit is selfs meer krities wanneer ons praat oor die sagteware wat jou finansiële lewe sal bestuur en jou vermoë om geld te spaar, ontvang en stuur, sal ondersteun. Oor die algemeen sal die gebruik van oop bron sagteware meer voordelig vir jou wees as die gebruik van geslote bron ekwivalente. Kom ons breek 'n paar belangrike redes af wat dit vir jou belangrik maak.\n\n'n Baie belangrike rede om oop bron sagteware te kies, is sekuriteit. Aangesien oop bron sagteware deur enigiemand gelees kan word, probeer hackers en kwaadwillige akteurs gereeld om foute en sekuriteitsgate daarin te vind. Jy mag dink dat dit gevaarlik is, maar dit is eintlik die ander kant om! Dit is omdat die feit dat die kode oop is vir almal beteken dat enigiemand sekuriteitskwessies kan soek en dit of kan aandui, self kan regmaak of kwaadwillig kan benut. Saam kan die gemeenskap van gebruikers en ontwikkelaars rondom die projek die meeste foute vinnig op spoor en regmaak, dikwels selfs voordat hulle vrygestel word. En as iemand hierdie fout op 'n kwaadwillige manier gebruik om die sagteware te benut, sal dit nie lank neem voordat dit opgemerk word en oplossings toegepas word nie. Op geslote bron sagteware hersien slegs die klein, betaalde span agter die projek die kode, wat lei tot 'n baie hoër kans dat foute ongemerk bly. Meer oë, minder foute. En maatskappye het ook 'n aansporing om nie die feit bekend te maak dat hul geslote bron produkte sekuriteitskwessies het nie, wat lei tot baie foute en hacks wat geheim gehou word eerder as bekend gemaak. Laastens, aangesien slegs die ontwikkelingspan in geslote bron projekte die kode kan sien, hoe kan jy of enigiemand anders ten volle vertroue hê dat die sagteware veilig is? Dit sluit aan by 'n algemene sêding in die Bitcoin kultuur: moenie vertrou nie, verifieer. Oor die geheel lei oop bron sagteware tot baie meer veilige en robuuste resultate as geslote bron sagteware.\n\nNog 'n groot rede om oop bron sagteware bo geslote bron te kies, is die langtermyn kontinuïteit van laasgenoemde. Kode wat publiek is, hang nie van enige enkele entiteit of individu af om oor tyd in stand gehou te word nie. Selfs al verdwyn die oorspronklike span agter 'n projek uiteindelik, kan ander oorneem en voortgaan om dit in stand te hou en te ontwikkel. Die grootste voorbeeld hiervan is Bitcoin self: selfs al het sy pseudonieme skepper, Satoshi Nakamoto, meer as tien jaar gelede verdwyn, het die projek voortgegaan om te groei en te floreer, verby alle verwagtinge. Dus, elke keer as jy oop bron sagteware bo geslote bron kies, verminder jy dramaties die kans dat 'n maatskappy of ontwikkelaar jou met onondersteunde sagteware laat staan wat vervaag en verouder.\n\nLaastens lei oop bron projekte met wye gebruik, soos Bitcoin, Bisq of beursies soos Electrum, dikwels tot hoë kwaliteit produkte deur die beste talent aan te trek. Die oop aard van die projekte laat enigeen toe om saam te werk, en baie groot ontwikkelaars in die ruimte verkies om saam te werk deur op 'n goeie projek te bou eerder as om 'n duplikaat poging van nuuts af te begin. Oor tyd lei die kumulatiewe bydraes van hierdie individue tot indrukwekkende resultate wat dikwels wat die meeste maatskappye, selfs goed befondsde, ooit kan bereik, oortref.\n\nOm saam te vat, kom die keuse van oop bron opsies vir jou Bitcoin gereedskap met 'n groot stel voordele wat jou help om veilige en nuttige produkte van hoë kwaliteit te geniet. Ons hoop dat jy nuuskierig raak oor die aard van die kode wat jy in jou daaglikse lewe gebruik en dat jy ingeligte keuses maak oor die sagteware wat jy gebruik. diff --git a/shared/domain/src/commonMain/resources/mobile/academy_cs.properties b/shared/domain/src/commonMain/resources/mobile/academy_cs.properties new file mode 100644 index 00000000..bbf73c59 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/academy_cs.properties @@ -0,0 +1,94 @@ +###################################################### +## Academy (Learn section) +###################################################### + +academy.overview=Přehled + +academy.overview.subHeadline=Průvodce Galaxií Kryptoměn +academy.overview.content=Členové komunity Bisq a Bitcoin poskytují obsah pro vzdělávání o prostoru Bitcoinu a pomáhají vám filtrovat signál od šumu. +academy.overview.selectButton=Dozvědět se více + +academy.overview.bisq=Bisq +academy.overview.bisq.content=Dozvědět se o Bisq, DAO Bisq. A zjistěte, proč je Bisq důležitý pro vaši bezpečnost, soukromí a pro udržení Bitcoinu v souladu s jeho základními hodnotami. +academy.overview.bitcoin=Bitcoin +academy.overview.bitcoin.content=Ponořte se do králičí nory Satoshiho. Zjistěte více o konceptech za blockchainem, těžbě a o tom, co dělá Bitcoin jedinečným. +academy.overview.security=Bezpečnost +academy.overview.security.content=Zjistěte více o bezpečnostních konceptech souvisejících s manipulací s vašimi Bitcoinovými fondy. Ujistěte se, že rozumíte nejlepším postupům pro zabezpečení vašich Bitcoinů. +academy.overview.privacy=Soukromí +academy.overview.privacy.content=Proč je soukromí důležité? Jaká jsou rizika, když společnosti shromažďují vaše údaje? Proč je soukromí požadavkem pro liberální společnost a pro bezpečnost? +academy.overview.wallets=Peněženky +academy.overview.wallets.content=Chcete zjistit, která peněženka nejlépe vyhovuje vašim potřebám? Zde se dočtete o nejlepších možnostech peněženek. +academy.overview.foss=Open source +academy.overview.foss.content=Bisq je svobodný a otevřený software (FOSS) založený na licenci GPL. Proč je FOSS důležitý? Máte zájem přispět? + + +###################################################### +## Bisq +###################################################### + +academy.bisq.subHeadline=Bisq je svobodný a otevřený software pro výměnu Bitcoinu s fiat měnami nebo jinými kryptoměnami decentralizovaným a důvěryhodným způsobem. +academy.bisq.exchangeDecentralizedHeadline=Výměna, decentralizovaná +academy.bisq.exchangeDecentralizedContent=Bisq je výměnná aplikace, kde můžete kupovat a prodávat Bitcoin za národní měny nebo jiné kryptoměny. Na rozdíl od většiny alternativ k burzám je Bisq decentralizovaný a peer-to-peer.\n\nJe decentralizovaný, protože není závislý ani řízen žádnou jednotlivou společností, týmem nebo vládou. Decentralizace dělá z Bisq odolnou síť: stejně jako Bitcoin existuje díky uživatelům jako jste vy. Protože neexistuje jediný prvek, na kterém by vše záviselo, je velmi obtížné pro kohokoli síť zastavit nebo ji poškodit. Je peer-to-peer, protože každý váš obchod je spárován s jiným uživatelem jako jste vy. To vám pomáhá chránit vaše soukromí před centralizovanými prvky, jako jsou vlády a tradiční finanční instituce. Je také bez povolení: nepotřebujete svolení nikoho k jeho použití a nikdo vás nemůže zastavit, abyste to nedělali.\n\nV současné době existují dvě aplikace: Bisq 1 a Bisq 2. Bisq 2 je aplikace, ve které toto čtete. Doporučujeme se seznámit s Bisq 2, než se pokusíte dozvědět více o Bisq 1. +academy.bisq.whyBisqHeadline=Proč Bisq +academy.bisq.whyBisqContent=Pro mnoho uživatelů je Bisq preferovanou metodou k nákupu nebo prodeji Bitcoinu výměnou za národní měny. To je proto, že povaha Bisq vede k úplně jinému zážitku než u centralizovaných burz.\n\nUživatelé také oceňují povahu Bisq, která respektuje soukromí. K použití Bisq nepotřebujete poskytovat žádné osobní informace. Při obchodování potřebujete sdílet pouze vaše platební údaje s obchodním partnerem. Nikdo jiný k těmto údajům nemá přístup a neexistuje centrální databáze, kde by vaše informace a transakce byly uloženy po mnoho let nebo desetiletí.\n\nBisq také umožňuje uživatelům překonat jakýkoli nedostatek povolení\, který může být svévolně uvalen místními vládami nebo finančními institucemi. Příkladem toho mohou být vlády, které prohlašují držení nebo obchodování s Bitcoinem za nelegální, nebo banky, které zakazují zákazníkům posílat své vlastní peníze na burzy. Uživatelé v těchto situacích nacházejí v Bisq způsob, jak obejít vyloučení z tradičního finančního systému z jakéhokoli důvodu.\n\nA konečně, Bisq je bezpečný způsob, jak vyměňovat Bitcoin a národní měny. Stávající obchodní protokoly a systémy reputace brání špatným aktérům v krádeži vašich peněz. Mediátoři jsou vždy k dispozici, aby vám pomohli, pokud se druhá strana nechová správně a zasáhnou, pokud je to nutné, aby našli řešení pro váš případ. Výsledek: Uživatelé Bisq mohou obchodovat s ostatními bez obav, že budou podvedeni a ztratí své peníze. +academy.bisq.tradeSafelyHeadline=Obchodujte bezpečně +academy.bisq.tradeSafelyContent=Výměna vašich Bitcoinů a národních měn s jinými uživateli přináší velké výhody, jako je nezávislost na společnostech nebo ochrana vaší soukromí. Ale možná se ptáte: jak mohu vědět, jestli je uživatel, se kterým obchoduji, poctivý? Nebudu podveden? Tyto obavy jsou oprávněné a měli byste je vždy mít na paměti, což Bisq řeší několika způsoby, aby umožnil bezpečné obchodování.\n\nRůzné obchodní protokoly (můžete si představit protokol jako pravidla, která musíte a váš protějšek dodržovat) minimalizují riziko, že by někdo při obchodu podvedl svého protějška. Obvykle existuje kompromis mezi bezpečností a pohodlím: některé protokoly jsou robustnější, jiné jsou pohodlnější a rychlejší. Je na vás, abyste se rozhodli, který protokol použít pro každý obchod, v závislosti na vašich preferencích a potřebách, stejně jako na obchodované částce. Protokoly jako Bisq Easy jsou doporučovány pro malé částky peněz, zatímco robustnější a strukturované protokoly jako Bisq MuSig jsou vhodné pro větší částky.\n\nPokud váš obchod skončí v konfliktu s vaším obchodním protějškem nebo se protějšek jednoduše ztratí a přestane reagovat, nezůstanete sami. Mediátoři a arbitři jsou vždy k dispozici, aby poskytli rady a řešení v těchto situacích. Tyto role budou sledovat každý případ, navrhovat přátelská řešení mezi obchodníky a případně činit konečná rozhodnutí, pokud nedojde k dohodě. Pokud jste jednali poctivě a dodržovali pravidla, výsledky budou ve vaší prospěch a nikdy neztratíte své prostředky.\n\nShrnutí: Bisq je navržen tak, aby minimalizoval potřebu důvěřovat ostatním uživatelům a odrazoval od podvodu a dalších špatných chování. To se projevuje v tom, že velmi málo obchodů vyvolává jakýkoli konflikt, a ty, které vyvolají, budou vždy rozřešeny rozumným způsobem prostřednictvím mediace a/nebo arbitráže. Výsledek: obchodování na Bisq je bezpečný a plynulý zážitek. + + +###################################################### +## Bitcoin +###################################################### + +academy.bitcoin.subHeadline=Peer-to-peer elektronická hotovost, která umožňuje online platby přímo bez zprostředkovatelů. +academy.bitcoin.whatIsBitcoinHeadline=Co je Bitcoin +academy.bitcoin.whatIsBitcoinContent=Bitcoin je největší a nejpopulárnější kryptoměna na světě. Je to digitální forma hotovosti, která umožňuje každému posílat hodnotu jiným lidem bez potřeby zprostředkovatelů. Začal v roce 2009 a od té doby enormně rostl, získával celosvětové přijetí díky svým jedinečným a atraktivním vlastnostem.\n\nBitcoin se liší od všech národních měn v několika aspektech. Bitcoin není kontrolován ani vydáván žádnou vládou nebo institucí. Je decentralizovaný a existuje pouze díky tisícům lidí po celém světě, kteří jej používají. To z něj dělá neutrální peníze, kde nikdo není v privilegované pozici, která by umožňovala zneužívání. To také znamená, že můžete používat Bitcoin bez jakéhokoli povolení a nikdo v systému nemá větší moc než vy. Je to otevřený systém, který vítá každého. Další důležitou vlastností je, že můžete držet Bitcoin ve vlastním držení. Jinými slovy, můžete jej vlastnit sami bez závislosti na jakékoli jiné společnosti nebo entitě. Ve srovnání s tradičními měnami je to více podobné hotovosti v kapse (kterou zcela ovládáte) než zůstatku na bankovním účtu (kde jste podmíněni podmínkami a přáním banky). Díky tomu jste také vždy volní posílat Bitcoin: nepotřebujete souhlas nikoho k tomu a vaše transakce nemohou být zastaveny ani vráceny. Třetím zajímavým aspektem je, že dodávka Bitcoinu je omezena na maximálně 21 milionů. To znamená, že hodnota každého bitcoinu, na rozdíl od hodnoty každého dolaru například, nemůže být snížena vytvářením více z nich. Bitcoin je vytvářen nákladným procesem zvaným těžba, a jak harmonogram emisí, tak maximální množství, které lze vytvořit, jsou striktně definovány a nemohou být upraveny. To činí dodávku omezenou, jistou a předvídatelnou, což dělá Bitcoin atraktivní kvůli jeho vzácnosti a robustnosti. +academy.bitcoin.whyUseBitcoinHeadline=Proč používat Bitcoin +academy.bitcoin.whyUseBitcoinContent=Vlastnosti Bitcoinu z něj dělají unikátní aktivum, které přitahuje různé lidi z různých důvodů. Jak vás Bitcoin osloví, závisí na vašem profilu a potřebách.\n\nJedním z nejčastějších důvodů pro použití Bitcoinu je jeho schopnost chránit hodnotu v čase. Národní měny většiny zemí světa ztrácejí hodnotu kontinuálně v čase kvůli znehodnocování měny. To znamená, že držením vašich úspor v hotovosti nebo na bankovním účtu je postupně ztrácíte, protože jejich hodnota klesá v čase. Omezená nabídka Bitcoinu tomu brání, takže i když se v krátkodobém horizontu chová volatilně, je to silný nástroj k zachování vašeho bohatství v dlouhodobém horizontu.\n\nDalším důvodem pro jednotlivce k použití Bitcoinu je ochrana před akcemi a rozhodnutími vlád a finančních institucí. Jelikož Bitcoin je něco, co můžete vlastnit, posílat a přijímat bez povolení, hodnota uložená v něm není ovlivněna situacemi jako je tisk více jednotek národní měny centrální bankou, rozhodnutím banky blokovat vaše převody z libovolných důvodů, nebo vládou uvalující konfiskace na své obyvatelstvo. S Bitcoinem jsou pravidla hry známá a předvídatelná a můžete se spolehnout na to, že síť je spravedlivá a zachází se všemi stejně.\n\nBitcoin je také velmi atraktivní pro ty, kteří se podílejí na mezinárodním obchodu a chtějí posílat nebo přijímat peníze do jiných zemí nebo regionů. Bitcoin nemá pojem o hranicích a funguje stejně, ať už posíláte někomu ve vašem sousedství nebo někomu na druhé straně světa. Jelikož znamená platby lidem nebo společnostem v různých regionech světa obvykle dlouhé čekací doby, významné poplatky a zdlouhavou byrokracii, někteří lidé si vybrali Bitcoin jako jednoduchou a pohodlnou alternativu pro své mezinárodní platby. To také znamená, že jej můžete použít k posílání peněz do zemí, které vaše vláda nebo banka rozhodla zablokovat.\n\nNakonec si někteří lidé vybrali Bitcoin pro jeho jednoduchost a pohodlí. Bitcoin představuje v tomto smyslu mnoho výhod oproti tradičním měnám. S ním nepotřebujete uzavírat smlouvy a procházet dlouhými byrokratickými procesy pro jednoduché věci, jako je otevření účtu. Můžete snadno přistupovat ke svým penězům na všech vašich zařízeních. Můžete je posílat kamkoliv a komukoliv bez potřeby různých platebních metod (hotovost, různé druhy bankovních převodů, kreditní karty atd.). Snadno můžete chránit a zabezpečit své peníze s odpovídajícími znalostmi a budete si užívat, že se nemusíte starat o to, že někdo ukradne vaši peněženku nebo údaje o kreditní kartě.\n\nBitcoin je obrovský a inovativní krok vpřed ve světě peněz a plateb. Téměř jistě existuje nějaký důvod, proč může být Bitcoin pro vás atraktivní a užitečný, proto vás povzbuzujeme se dozvědět více a seznámit se s ním. + + +###################################################### +## Security +###################################################### + +academy.security.subHeadline=Zajištění, aby jste vy, a pouze vy, měli vždy přístup k vašim finančním prostředkům +academy.security.introContent=Protože Bitcoin funguje odlišně od národních měn, opatření, která musíte přijmout, jsou také značně odlišná od toho, na co jste pravděpodobně zvyklí. Je to také vysoce důležité téma, protože, zatímco Bitcoin vám poskytuje hodně moci a svobody, také vás činí zodpovědnými za péči o vaše finanční prostředky. Proto byste měli investovat nějaký čas a úsilí do toho, abyste se naučili, jak to dělat bezpečně.\n\nAčkoliv je bezpečnost složité téma, můžeme věci zjednodušit na tři hlavní cíle: zajistit, aby ostatní lidé nikdy neměli přístup k vašim soukromým klíčům, zajistit, abyste měli vždy přístup k vašim soukromým klíčům, a vyhnout se náhodnému odeslání vašich bitcoinů podvodníkům a dalším nedůvěryhodným osobám. +academy.security.securingYourKeysHeadline=Zabezpečení vašich klíčů +academy.security.securingYourKeysContent=Nejprve musíte pochopit jednoduchou myšlenku: ne vaše klíče, ne vaše mince. To znamená, že abyste skutečně vlastnili vaše Bitcoiny, měly by být uloženy v peněžence, kde vy, a pouze vy, vlastníte klíče. Takže držení Bitcoinového zůstatku v entitách jako jsou banky nebo centralizované burzy není skutečným vlastnictvím aktiva, protože to jsou tyto entity, a ne vy, kdo drží klíče k vašim prostředkům. Pokud skutečně chcete vlastnit vaše bitcoiny, musíte je uložit v peněžence, pro kterou kontrolujete pouze vy klíče.\n\nExistuje mnoho Bitcoinových peněženek, každá s vlastním unikátním designem a funkcemi. To, co mají všechny společné, je, že nějakým způsobem, někde, uchovávají vaše soukromé klíče. Tyto klíče poskytují přístup k vašim finančním prostředkům. Ať už používáte jakoukoliv peněženku, musíte zajistit, aby k těmto klíčům měli přístup pouze vy, nebo lidé, kterým plně důvěřujete. Pokud má někdo jiný přístup k nim, bude schopen ukrást vaše prostředky, a nic nelze udělat k vrácení této transakce. Na druhou stranu, ztráta klíčů je stejně hrozná. Pokud ztratíte své klíče, nebudete moci odesílat vaše prostředky, a není možné znovu získat kontrolu nad nimi. Ačkoli to může znít zastrašující, můžete snadno vyhnout se těmto situacím s trochou učení a dobrých praktik.\n\nVětšina bitcoinových peněženek vám poskytne 12 nebo 24 slov dlouhou zálohu, běžně známou jako mnemonická fráze nebo jednoduše seedphrase. Tato záložní fráze vám umožňuje obnovit peněženku na jakémkoliv zařízení, což ji činí nejdůležitějším prvkem pro vaše zabezpečení. Obvykle se doporučuje uchovávat tyto zálohy v analogové formě, typicky psaním na kus papíru nebo na malý kovový plech, a mít několik kopií. Měli byste ji také uložit tak, abyste ji našli, když ji potřebujete, ale nikdo jiný k ní nemá přístup.\n\nPro významné množství Bitcoinů je běžné používat specializovaná zařízení zvaná Hardware Wallets pro ukládání vašich klíčů. Tyto zařízení nabízejí vyšší úroveň zabezpečení ve srovnání s ukládáním vašich klíčů ve smartphone nebo laptop peněžence, zároveň poskytují pohodlný zážitek při provádění transakcí. Více se o těchto a dalších typech peněženek můžete dozvědět v sekci Peněženky Bisq Learn.\n\nNakonec se ujistěte, že se vyhnete příliš složitým schémátům ukládání. Pokročilý plán skladování s mnoha detaily a jemnostmi udrží zloděje daleko od vašich prostředků, ale také existuje významná šance, že nebudete schopni přistupovat k vlastní peněžence kvůli chybám, zmatku nebo jednoduše zapomenutí, jak jste zálohy organizovali. Snažte se najít rovnováhu mezi příliš jednoduchým nastavením, které kdokoli snadno prolomí (jako ukládání vaší seedphrase v prostém textovém souboru na ploše vašeho laptopu) a tak složitým, že ho ani vy sami nemůžete prolomit (jako ukládání slov vaší seedphrase napříč 12 knihami na 12 různých místech). +academy.security.avoidScamsHeadline=Vyhněte se podvodům +academy.security.avoidScamsContent=Dalším zdrojem problémů a rizik jsou podvody. Bitcoinové transakce jsou nevratné, což znamená, že pokud vás někdo přesvědčí, abyste mu poslali nějaký Bitcoin a pak s ním zmizí, ve skutečnosti s tím nelze moc dělat. Kvůli tomu je běžné setkávat se s různými schématy, kde vás lidé budou přesvědčovat, abyste jim poslali nějaký bitcoin. Většinou vám podvodníci představí nějakou úžasnou "příležitost" pro vás k vydělávání peněz snadno, což obvykle zní příliš dobře, aby to byla pravda. Konkrétní příběhy a detaily okolo těchto podvodů jsou nesmírně rozmanité a kreativní, ale společný vzor bude vždy vypadat stejně: bude vám nabídnut nějaký úžasný výnos, ale nejdříve budete muset poslat bitcoin předem. Jakmile bitcoin odešlete, pravděpodobně ho už nikdy neuvidíte vrátit se k vám. Obrana proti těmto podvodům je jednoduchá: interagujte pouze s renomovanými a důvěryhodnými společnostmi a lidmi. Pokud máte pocit, že nějaká entita je pochybná, požádejte o reference nebo se jí jednoduše vyhněte. Pokud vám je nabídnuta příležitost, která zní skoro příliš dobře, aby to byla pravda, pravděpodobně to tak je, a měli byste se jí vyhnout. + + +###################################################### +## Privacy +###################################################### + +academy.privacy.subHeadline=Vaše data jsou vaše. Udržte to tak. +academy.privacy.introContent=Udržování vašich finančních informací a identity v soukromí je běžnou potřebou uživatelů Bitcoinu. Je přirozené a logické nechtít, aby o vašich fondech a transakcích věděli ostatní bez vašeho souhlasu. Přece byste si neoblékli tričko s údaji o zůstatku vašeho bankovního účtu a kreditních kartách, když jdete po ulici, že? Soukromí je důležité téma v Bitcoinu, protože transparentní povaha Bitcoinových transakcí a adres činí chyby v této oblasti zvláště nákladné. V této sekci se zabýváme některými body týkajícími se soukromí na vaší cestě s Bitcoinem. +academy.privacy.whyPrivacyHeadline=Proč je soukromí relevantní +academy.privacy.whyPrivacyContent=Mnoho uživatelů oceňuje svobodu, kterou jim Bitcoin poskytuje při vlastnění jejich majetku a volné transakce bez povolení s ostatními. Ale bez dobrých praktik ochrany soukromí tyto vlastnosti Bitcoinu vážně ustupují. Zveřejnění informací o sobě a vašich Bitcoinech vás vystavuje různým druhům útoků od ostatních, které omezí vaši vlastní svobodu. Zamýšlení se nad tím, jaká data sdílíte, a být si toho vědomi, vám zabrání v tom, abyste činili nákladné chyby, které byste mohli později litovat.\n\nPrvním zjevným problémem s odhalováním své identity a podrobností o vašich prostředcích je osobní bezpečnost. Pokud někdo zná podrobnosti, jako je to, kolik bitcoinů vlastníte, kde bydlíte, a jaký typ peněženky používáte, mohl by snadno plánovat fyzický útok proti vám, aby se dostal ke vašim klíčům. To je zejména lákavé ve srovnání s bankovními účty v národní měně, protože transakce Bitcoinu jsou nevratné. Pokud tedy zloděj dokáže vás donutit, abyste poslali své bitcoiny na svou adresu, nebo prostě ukradne vaše klíče k peněžence a udělá to sám, nebude možné tuto transakci zrušit a vaše bitcoiny už nebudou vaše. Udržování vaší identity a finančních podrobností v soukromí vás chrání před tímto druhem útoku.\n\nDalším dobrým důvodem, proč udržovat své podrobnosti v soukromí, je nebezpečí, které představují nepřátelské vládní předpisy a akce. Vlády po celém světě opakovaně přijímaly opatření proti soukromému majetku svých občanů různými způsoby. Skvělým příkladem je výkonný příkaz 6102, který znemožnil americkým občanům vlastnit zlato a způsobil jednostranné zabavení zlata pro miliony amerických občanů. Stejně jako s běžnými zloději, zajištění toho, aby vládní subjekty a personál neměli žádné informace o vás a vašich prostředcích, vás chrání v případě, že vláda zahájí negativní politiku proti vlastníkům Bitcoinu.\n\nCelkově asi nechcete, aby ostatní věděli, kolik Bitcoinů vlastníte nebo jaké transakce provádíte. Stejně jako chráníme naše bankovní účty různými metodami, aby si je mohli zkontrolovat pouze my, má smysl zajistit, aby ostatní neměli schopnost zobrazit transakce a jejich podrobnosti, jako kdy, kolik a s kým obchodujeme. +academy.privacy.giveUpPrivacyHeadline=Jak se vzdáváme našeho soukromí +academy.privacy.giveUpPrivacyContent=Existuje mnoho způsobů, jakými člověk může dobrovolně nebo náhodou zveřejnit osobní údaje. Většinou jsou snadno předcházet s trochou zdravého rozumu, protože často prostě své údaje rozdáváme tím, že o tom nepřemýšlíme. Některé subtilnější úniky vyžadují určité technické znalosti a čas. Ale dobrá zpráva je, že s minimálním úsilím lze vyhnout se nejvýznamnějším problémům.\n\nNesporným šampionem chyb soukromí, jak kvůli četnosti, tak kvůli závažnosti, je jednoduše dobrovolné poskytnutí vašeho ID při nákupu nebo prodeji Bitcoinu. Dnes většina centralizovaných burz (společnosti jako Coinbase, Kraken, Binance atd.) podléhá vládním regulacím KYC (KYC znamená Know Your Customer). To znamená, že vlády nutí tyto společnosti požadovat váš pas, občanský průkaz, řidičský průkaz nebo podobné dokumenty, aby tyto informace mohly být spojeny s vaším účtem. Od okamžiku, kdy tyto údaje poskytnete, každý nákup a prodej, který provedete, bude zaznamenán a spojen s vámi. Navíc budou burza a vládní agentury mít plnou viditelnost vašich zůstatků kdykoliv. I když se rozhodnete vzít své Bitcoiny z těchto burz a uložit je do peněženky, kterou si sami spravujete, tyto strany budou schopny sledovat, na které adresy byly vaše prostředky odeslány. A pokud to není dost znepokojivé, je tu další obava, na kterou je třeba pamatovat: pokud jakýkoli hacker získá přístup k databázím těchto společností, vaše informace by mohly být veřejně uniklé na internet, což umožňuje komukoliv na světě znát všechny vaše uložené osobní a finanční informace. Toto je situace, která se v posledních letech stala mnohokrát, s hroznými důsledky pro některé postižené zákazníky burz.\n\nDalší oblast, na kterou je třeba dávat pozor, je opakované používání adresy. Pokaždé, když někomu poskytnete adresu vaší peněženky, aby vám poslal nějaké bitcoiny, tato osoba se dozví, že tato adresa patří vám. To znamená, že od tohoto okamžiku by tato osoba mohla sledovat adresu a veškerou její aktivitu. Pokud tuto adresu opakovaně používáte, každá osoba, se kterou interagujete, bude schopna vidět různé transakce, které probíhají přes adresu, včetně toho, kdy se odehrávají, odkud prostředky pocházejí a kam jdou, a transakčních částek. Proto se doporučuje používat adresy k přijímání bitcoinů pouze jednou. Většina peněženek to za vás automaticky zařídí, ale je stále důležité, abyste rozuměli, proč je to dobrá praxe.\n\nNakonec, spoléhání na uzly jiných lidí pro čtení blockchainových dat znamená, že provozovatel uzlu by mohl potenciálně sledovat, které adresy vaše peněženka sleduje. Při manipulaci s významnými částkami Bitcoinu se vyplatí naučit se, jak provozovat vlastní uzel a připojit k němu vaši peněženku. Nebo alespoň myslet na to, ke kterému uzlu se připojujete, a vybrat si jeden od osoby nebo organizace, které důvěřujete, jako je například přítel, který má v Bitcoinu více zkušeností, nebo místní Bitcoinová komunita. +academy.privacy.bisqProtectsPrivacyHeadline=Bisq pomáhá chránit vaše soukromí +academy.privacy.bisqProtectsPrivacyContent=Bisq vám umožňuje kupovat a prodávat Bitcoin od ostatních peerů. Tento jednoduchý rozdíl přináší celý svět výhod ohledně soukromí ve srovnání s používáním centralizovaných burz. Používáním Bisq chráníte svoji bezpečnost a soukromí před vládami, společnostmi a dalšími nepřátelskými třetími stranami, které by jinak zaznamenávaly a používaly vaše data proti vašim vlastním zájmům.\n\nKdyž provádíte transakce v Bisq, pouze váš protějšek a vy znáte detaily transakce. A dokonce i mezi vámi oběma jsou informace, které je třeba sdílet, zcela minimalizovány a omezeny na přísně nezbytné platební údaje, jako je například číslo vašeho bankovního účtu, pokud chcete přijmout fiat platbu na svůj bankovní účet. To znamená, že není třeba poskytovat informace, jako je vaše ID, adresa atd. Navíc schopnost interagovat s různými protějšky při každém obchodě brání jakékoli jednotlivé osobě v čase shromažďovat data o vás, čímž rozptylujete vaši transakční historii mezi různé protistrany a bráníte jakékoli jednotlivé entitě v držení kompletního přehledu o vašem finančním životě. Bisq vám také umožňuje přijímat jakékoliv bitcoiny, které zakoupíte, přímo na adresu peněženky, kterou ovládáte, což vám umožňuje udržovat kontrolu nad svými prostředky kdykoliv a rozptýlit je mezi různé adresy, takže žádný jediný protějšek nemůže sledovat vaši celou peněženku.\n\nA pamatujte si: Bisq je jen kousek software, který běží na vašem počítači, a spojuje se pouze s internetem prostřednictvím přátelských sítí pro soukromí jako Tor a I2P. Dokonce nemusíte nikde registrovat se pseudonymně. Díky tomu nikdo ani neví, že používáte Bisq, a vaše komunikace s ostatními účastníky nemůže být monitorována, sledována nebo přístupná třetím stranám. + + +###################################################### +## Wallets +###################################################### + +academy.wallets.subHeadline=Výběr správných nástrojů k manipulaci a zabezpečení vašich bitcoinů. +academy.wallets.whatIsAWalletHeadline=Co je peněženka +academy.wallets.whatIsAWalletContent=Peněženky jsou vaším nástrojem k provádění nejzákladnějších operací v Bitcoinu: přijímání, uchovávání a odesílání bitcoinů. Protože Bitcoin je otevřený systém, kdokoli může pro něj vytvořit peněženku, a existuje jich mnoho různých. To je skvělé, protože to znamená, že máte na trhu spoustu různých možností, ze kterých můžete vybírat, a dokonce můžete používat různé peněženky pro různé potřeby.\n\nObecně je peněženka kousek software, který pro vás dělá několik věcí: čte blockchain, aby zkontrolovala zůstatek adres, které ovládáte. Dokáže vytvářet a odesílat transakce, když chcete platit někomu jinému. A drží vaše klíče, abyste mohli podepisovat své transakce. Některé z těchto funkcí vypadají v různých peněženkách jinak, a některé peněženky pokrývají jen některé z nich. Pro lepší porozumění je užitečné být obeznámen s různými charakteristikami, které peněženky odlišují od sebe.\n\nNejprve byste měli pochopit rozdíl mezi hot peněženkou a cold peněženkou. Hot peněženka je softwareová peněženka, kde jsou uloženy klíče ovládající vaše bitcoiny, na zařízení připojeném k internetu. Cold peněženka naopak znamená nastavení, kde jsou vaše klíče uloženy na zařízení, které nikdy není připojeno k internetu, a používáte jiný software k sledování svého zůstatku a přípravě a odesílání transakcí. Hot peněženky jsou obvykle jednoduchou aplikací na vašem telefonu nebo laptopu. Cold peněženka naopak znamená použití softwaru na vašem telefonu nebo laptopu, který neuchovává vaše klíče, a spojíte ho s druhým zařízením, které klíče drží a nikdy se nepřipojí k internetu. Toto druhé zařízení může být dedikovaný laptop nebo smartphone, nebo častěji hardware peněženka. Hot peněženky jsou snazší spravovat a používat, ale jsou také méně bezpečné. Cold peněženky vyžadují trochu složitější a neohrabanější nastavení, ale nabízejí mnohem vyšší úroveň bezpečnosti proti hackům a chybám při manipulaci s klíči. Jak se postavit k rizikům spojeným s řízením vašich prostředků, je osobní rozhodnutí, ale obecně se doporučuje používat hot peněženky jako vaší běžné peněženky na bankovky a mince v kapse, a cold peněženky jako trezor v bance. Neměli byste nosit milion dolarů v peněžence. A neměli byste používat obsah své trezorové schránky na zaplacení kávy.\n\nHardware peněženky jsou speciální fyzická zařízení, která jsou navržena a vyráběna výhradně k účelu uchovávání klíčů k vašim prostředkům a k podpisu transakcí s těmito klíči. Nabízejí pohodlný způsob podepisování transakcí pro výdaje vašich prostředků a zároveň uchovávají vaše klíče bezpečným způsobem, který brání jejich úniku k ostatním. Použití hardware peněženky výrazně zvyšuje vaši bezpečnost ve srovnání s použitím hot peněženky na vašem hlavním počítači nebo smartphone. Pokud začínáte na své cestě s Bitcoinem, nebudete muset mít peněženku od prvního dne, ale pravděpodobně si ji chcete pořídit, jakmile začnete hromadit takové množství bitcoinů, které by vás bolelo ztratit. Na trhu je mnoho hardware peněženek, s typickými cenami kolem 100 dolarů.\n\nA nakonec jedna poznámka: zůstatek na centralizované burze není peněženka. Protože neovládáte klíče, spoléháte se na centralizovanou burzu, aby vám bitcoiny skutečně poslala, když se rozhodnete vybrat. Pokud z jakéhokoli důvodu nepošlou bitcoiny, když se rozhodnete vybrat, není způsob, jak byste se k nim mohli dostat. Pamět si: nejsou-li to vaše klíče, nejsou to vaše mince. +academy.wallets.howToPickHeadline=Jak si vybrat peněženku +academy.wallets.howToPickContent=Volba správné peněženky je rozhodnutí, které závisí na mnoha faktorech, jako je způsob, jakým budete Bitcoin používat, částky, které budete manipulovat, nebo zařízení, které vlastníte. Nicméně existují některé obecné doporučení, která můžete dodržovat, a konkrétní peněženky, které mají dobrou historii.\n\nPrvní a nejdůležitější obecná rada je zvolit open-source peněženku. Zajištění, že kód vaší peněženky je ověřitelný, je klíčové. O tomto se můžete dozvědět více v sekci Open Source na Bisq Learn. Další důležité doporučení je vybrat si peněženku, která nepodporuje jiné kryptoměny než Bitcoin. Peněženky, které zpracovávají více kryptoměn, potřebují složitější kód k práci s různými podporovanými měnami, což přináší větší rizika pro bezpečnost. Proto je lepší zvolit peněženku pouze pro Bitcoin. Nakonec zkuste hledat peněženky, které existují již nějakou dobu, mají silnou uživatelskou základnu a dobrou pověst. Je nejlepší nechat zbrusu nové peněženky pro pokročilé použití nebo experimenty nejvýše.\n\nPokud plánujete používat peněženku na svém smartphone, doporučujeme se podívat na jednu z následujících peněženek: Bluewallet, Blockstream Green nebo Nunchuk. Pokud chcete používat PC, doporučujeme použít jednu z následujících: Sparrow, Bluewallet, Electrum, Blockstream Green nebo Nunchuk. To jsou všechno dobré peněženky pro začátečníky. Můžete vyzkoušet několik z nich, abyste zjistili, která vám nejlépe vyhovuje, nebo dokonce používat několik zároveň, pokud budete chtít. Jak budete nabývat více zkušeností a znalostí, můžete začít vyvíjet preference v závislosti na pokročilejších funkcích, které tyto peněženky odlišují od sebe.\n\nJakmile budete mít dostatek prostředků na to, abyste začali brát bezpečnost ještě vážněji, pravděpodobně bude smysl pořídit si hardware peněženku. S hardware peněženkou budete moci uložit své klíče a podepisovat s nimi transakce, zatímco stále můžete používat software jako Sparrow, Bluewallet nebo Nunchuk k čtení svých zůstatků a přípravě transakcí. Pokud jde o hardware peněženky, platí většina stejných rad: vybírejte peněženky s transparentním a veřejným designem, které podporují pouze Bitcoin a mají dobrou pověst a historii. Některé známé značky jsou Coldcard, Bitbox, Trezor nebo Foundation.\n\nSvět peněženek je bohatý a různorodý, což je zároveň skvělé a matoucí. Je naprosto v pořádku být na začátku trochu přesvědčen. Pokud teprve začínáte, doporučujeme provést trochu výzkumu, vyzkoušet některé z možností, které jsme s vámi sdíleli, a až najdete takovou, se kterou se cítíte pohodlně, držte se jí. Jak budete nadále získávat více informací o Bitcoinu, můžete vždy prozkoumat nové a pokročilé možnosti a přepnout se na jinou peněženku nebo používat více z nich, kdykoliv budete chtít. + + +###################################################### +## Free Open Source Software +###################################################### + +academy.foss.subHeadline=Dozvědět se o otevřeném kódu a jeho vlivu na Bitcoin a Bisq +academy.foss.bitcoinAndFossHeadline=Bitcoin a open source software +academy.foss.bitcoinAndFossContent=Open source software (OSS) je software, jehož zdrojový kód je veřejně přístupný a každý ho může číst, kopírovat a libovolně upravovat. To je v protikladu k uzavřenému nebo vlastnickému softwaru, kde původní autor rozhoduje, že si kód ponechá pro sebe a nikdo jiný nemá k němu přístup nebo povolení. I když se to může zdát jako technické téma, je ve vašem zájmu pochopit důsledky open source softwaru na vaši cestu s Bitcoinem. Přejděme k tomu.\n\nSvět Bitcoinu je hluboce ovlivněn a souvisí s open source softwarem. Samotný Bitcoinový software je open source od prvního dne. Bisq je také open source projekt. Mnoho dalších okolních technologií, jako jsou klienti Lightning, služby na míchání nebo firmware pro těžbu, je obvykle vyvíjeno jako open source projekty. Mnoho peněženek je také open source a jak diskutujeme v sekci Peněženky v Bisq Learn, silně doporučujeme, abyste si vybrali peněženky, které jsou open source.\n\nProč je tomu tak? Uzavřený software je obvykle vytvářen a udržován v soukromí společnostmi a jednotlivci, kteří chtějí ostatním účtovat za licence a udržovat plnou kontrolu nad projektem. V prostoru Bitcoinu to zřídka platí. Bitcoin je otevřený a přívětivý systém podle své přirozenosti a kód je jeho reprezentací. Kód může kdokoli vidět, upravovat ho, sdílet kopie své vlastní verze s ostatními a jednoduše s ním dělat, co chce. Bisq je také open source projekt, kde je každý vítán k účasti, rozšíření aplikace a provádění vylepšení různými způsoby. +academy.foss.openSourceBenefitsHeadline=Jak open source prospívá vám +academy.foss.openSourceBenefitsContent=Možná si myslíte, že pokud nejste vývojář software, má to, zda je kód některého software veřejný nebo ne, málo relevance pro vás. To však vůbec není případ. I když nemáte v úmyslu dívat se na kód nebo jej upravovat u aplikací, které používáte, vaše zkušenosti s nimi budou hluboce ovlivněny tím, zda je kód open source nebo uzavřený. To je ještě důležitější, když mluvíme o softwaru, který bude provozovat váš finanční život a podpoří vaši schopnost ukládat, přijímat a posílat peníze. Obecně platí, že používání open source software bude pro vás výhodnější než použití uzavřených ekvivalentů. Rozložme si několik důležitých důvodů, proč je to pro vás důležité.\n\nJedním z velmi důležitých důvodů pro volbu open source softwaru je bezpečnost. Protože open source software může číst kdokoli, hackeři a zlomyslní aktéři pravidelně hledají chyby a bezpečnostní zranitelnosti v něm. Možná si myslíte, že je to nebezpečné, ale je to ve skutečnosti naopak! To je proto, že skutečnost, že kód je otevřený pro všechny, znamená, že kdokoli může hledat bezpečnostní problémy a buď na ně poukázat, opravit je sám nebo je zneužít zlomyslně. Celkově komunita uživatelů a vývojářů kolem projektu bude schopna rychle zjistit a opravit většinu chyb, často dokonce před jejich uvolněním. A pokud někdo využije tuto chybu zlomyslně k zneužití softwaru, nebude to trvat dlouho, než se to zjistí a budou na to aplikovány řešení. U uzavřeného softwaru kontroluje kód pouze malý placený tým za projektem, což znamená mnohem vyšší šanci, že chyby zůstanou nepovšimnuty. Více očí, méně chyb. A společnosti také mají motivaci neposkytovat informace o tom, že jejich uzavřené produkty mají bezpečnostní problémy, což vede k tomu, že mnoho chyb a hacků zůstává tajemstvím místo aby byly zveřejněny. Nakonec, protože v uzavřených projektech může kód vidět pouze vývojový tým, jak můžete být vy nebo kdokoli jiný plně sebejistý, že software je bezpečný? To souvisí s jedním běžným řeknutím v kultuře Bitcoin: nedůvěřujte, ověřujte. Celkově open source software vede k mnohem bezpečnějším a robustnějším výsledkům než uzavřený source software.\n\nDalším výborným důvodem pro volbu open source software před uzavřeným source je dlouhodobá kontinuita prvního. Kód, který je veřejný, nezávisí na žádném jediném subjektu nebo jednotlivci, aby byl udržován v průběhu času. I když původní tým za projektem nakonec zmizí, ostatní mohou převzít a pokračovat v jeho udržování a rozvoji. Největším příkladem je samotný Bitcoin: i když jeho pseudonymní tvůrce, Satoshi Nakamoto, zmizel před více než deseti lety, projekt pokračoval v růstu a rozkvětu nad všechna očekávání. Takže pokaždé, když si vyberete open source software místo uzavřeného source, dramaticky snižujete šance, že vás nějaká společnost nebo vývojář nechá na holičkách s nepodporovaným softwarem, který zanikne a zastará.\n\nNakonec open source projekty s rozsáhlým použitím, jako je Bitcoin, Bisq nebo peněženky jako Electrum, mají tendenci vést k vysokokvalitním produktům tím, že přitahují ty nejlepší talenty. Otevřená povaha projektů umožňuje každému spolupracovat, a mnoho skvělých vývojářů v oboru raději spolupracuje na základě dobrého projektu než začíná duplicity od nuly. V průběhu času kumulativní příspěvky těchto jednotlivců vedou k impozantním výsledkům, které často překonávají to, co by většina firem, dokonce i dobře financovaných, mohla kdy dosáhnout.\n\nCelkově řečeno, volba open source možností pro vaše Bitcoinové nástroje přináší skvělou sadu výhod, které vám pomáhají těšit se z bezpečných a užitečných produktů vysoké kvality. Doufáme, že se stanete zvědavými na povahu kódu, který používáte v každodenním životě, a že si budete volit s informovaností software, který provozujete. diff --git a/shared/domain/src/commonMain/resources/mobile/academy_de.properties b/shared/domain/src/commonMain/resources/mobile/academy_de.properties new file mode 100644 index 00000000..fd4ef079 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/academy_de.properties @@ -0,0 +1,94 @@ +###################################################### +## Academy (Learn section) +###################################################### + +academy.overview=Überblick + +academy.overview.subHeadline=Entdecke das Kryptoversum +academy.overview.content=Bisq- und Bitcoin-Community-Mitglieder stellen Inhalte zur Verfügung, um dein Wissen über Bitcoin zu vertiefen und dir dabei zu helfen, deine eigenen Schlüsse aus den vielen Informationen zu ziehen. +academy.overview.selectButton=Mehr erfahren + +academy.overview.bisq=Bisq +academy.overview.bisq.content=Erfahre mehr über Bisq und die Bisq DAO. Erfahre, warum Bisq wichtig für deine Sicherheit, Privatsphäre und für Bitcoin ist. +academy.overview.bitcoin=Bitcoin +academy.overview.bitcoin.content=Tauche tief in die Welt rund um Satoshi ein. Erfahre mehr über die Konzepte hinter der Blockchain, dem Mining und was Bitcoin so einzigartig macht. +academy.overview.security=Sicherheit +academy.overview.security.content=Erfahre mehr über die Sicherheitskonzepte im Zusammenhang mit der Verwaltung deiner Bitcoin. Stell sicher, dass du die bewährten Verfahren kennst, um deine Bitcoin sicher aufzubewahren. +academy.overview.privacy=Privatsphäre +academy.overview.privacy.content=Warum ist Privatsphäre wichtig? Welche Risiken bestehen, wenn Unternehmen deine Daten sammeln? Warum ist Privatsphäre eine Voraussetzung für eine freie Gesellschaft und für Sicherheit? +academy.overview.wallets=Wallets +academy.overview.wallets.content=Möchtest du herausfinden, welche Geldbörse am besten zu deinen Bedürfnissen passt? Find hier über die besten Arten von Wallets heraus. +academy.overview.foss=Open Source +academy.overview.foss.content=Bisq ist freie und Open-Source-Software (FOSS) basierend auf der GPL-Lizenz. Warum ist FOSS wichtig? Interessiert daran mitzuhelfen? + + +###################################################### +## Bisq +###################################################### + +academy.bisq.subHeadline=Bisq ist eine kostenlose und Open-Source-Software zum Handeln von Bitcoin gegen Fiat-Währungen oder andere Kryptowährungen auf eine dezentrale und vertrauensminimierte Art und Weise. +academy.bisq.exchangeDecentralizedHeadline=Handel, dezentralisiert +academy.bisq.exchangeDecentralizedContent=Bisq ist eine Anwendung, in der du Bitcoin gegen Fiat-Währungen oder andere Kryptowährungen tauschen kannst. Im Gegensatz zu den meisten alternativen Handelsplattformen ist Bisq sowohl dezentralisiert als auch Peer-to-Peer.\n\nEs ist dezentralisiert, weil es nicht von einem einzelnen Unternehmen, Team oder einer Regierung abhängt oder von ihnen kontrolliert wird. Die Dezentralisierung macht Bisq zu einem widerstandsfähigen Netzwerk: Genauso wie Bitcoin existiert es wegen Nutzern wie dir. Da es kein einzelnes Element gibt, auf das das Netzwerk angewiesen ist, ist es sehr schwer das Netzwerk zu stoppen oder zu schädigen. Es ist Peer-to-Peer, weil jeder Trade, den du durchführst, mit einem anderen Benutzer wie dir gemacht wird. Das hilft dir, deine Privatsphäre vor zentralisierten Entitäten wie Regierungen und traditionellen Finanzinstituten zu schützen. Du brauchst für Bisq von niemandem Erlaubnis: Du benötigst keine Autorisierung von irgendjemandem, um es zu nutzen, und niemand kann dich davon abhalten.\n\nDerzeit gibt es zwei Anwendungen: Bisq 1 und Bisq 2. Bisq 2 ist die Anwendung, in der du das liest. Wir empfehlen dir, dich mit Bisq 2 vertraut zu machen, bevor du versuchst, mehr über Bisq 1 zu erfahren. +academy.bisq.whyBisqHeadline=Warum Bisq +academy.bisq.whyBisqContent=Für viele Nutzer ist Bisq die beste Methode, um Bitcoin gegen nationale Währungen zu kaufen oder zu verkaufen. Dies liegt daran, dass die Natur von Bisq zu einem völlig anderen Erlebnis im Vergleich zu zentralisierten Börsen führt.\n\nBenutzer schätzen auch den hohen Grad an Privatsphäre bei der Nutzung von Bisq. Um Bisq zu nutzen, musst du keinerlei persönliche Informationen an eine zentrale Entität geben. Wenn du handelst, musst du nur die Zahlungsdetails mit deinem Handelspartner teilen. Niemand sonst hat Zugriff auf diese Daten, und es gibt keine zentrale Datenbank, in der deine Informationen und Transaktionen für Jahre oder Jahrzehnte gespeichert werden.\n\nBisq ermöglicht es Nutzern auch, eventuelle Einschränkungen zu umgehen, die willkürlich von deinen lokalen Regierungen oder Finanzinstituten auferlegt werden können. Beispiele dafür können Regierungen sein, die den Besitz oder Handel von Bitcoin für illegal erklären, oder Banken, die Kunden verbieten, ihr eigenes Geld an Handelsplattformen zu senden. Benutzer in diesen Situationen finden in Bisq einen Weg, um solche Ausschlüsse aus dem traditionellen Finanzsystem aus irgendeinem Grund zu umgehen.\n\nBisq ist eine sichere Möglichkeit, Bitcoin und nationale Währungen auszutauschen. Die bestehenden Handelsprotokolle und Reputationssysteme verhindern, dass böse Akteure deine Geldmittel stehlen. Mediatoren stehen dir immer zur Seite, wenn ein anderer Peer sich nicht ordnungsgemäß verhält, und werden eingreifen, falls erforderlich, um eine Lösung für deinen Fall zu finden. Das Ergebnis: Bisq-Nutzer können sorgenfrei mit anderen handeln, ohne sich Gedanken machen zu müssen, betrogen zu werden und seine Geldmittel zu verlieren. +academy.bisq.tradeSafelyHeadline=Sicher handeln +academy.bisq.tradeSafelyContent=Der Austausch von Bitcoin und nationalen Währungen mit anderen Nutzern bietet große Vorteile wie Unabhängigkeit von Unternehmen und Schutz Ihrer Privatsphäre. Aber Sie fragen sich vielleicht: Wie kann ich wissen, ob der Peer, mit dem ich handle, ehrlich ist? Werde ich nicht betrogen? Diese Bedenken sind berechtigt und sollten stets im Hinterkopf behalten werden. Bisq begegnet diesen Bedenken auf verschiedene Weise, um sicheres Handeln zu ermöglichen.\n\nDie unterschiedlichen Handelsprotokolle (Sie können sich ein Protokoll als die Regeln vorstellen, die Sie und Ihr Peer befolgen müssen) minimieren das Risiko, dass ein Akteur seinen Peer während eines Handels betrügt. Es gibt in der Regel einen Kompromiss zwischen Sicherheit und Bequemlichkeit: Einige Protokolle sind robuster, andere sind bequemer und schneller. Es liegt an Ihnen, welches Protokoll Sie für jeden Handel wählen, je nach Ihren Vorlieben und Bedürfnissen sowie dem gehandelten Betrag. Protokolle wie Bisq Easy werden für kleine Beträge empfohlen, während robustere und strukturierte Protokolle wie Bisq MuSig für größere Beträge ratsam sind.\n\nWenn Ihr Handel in einen Konflikt mit Ihrem Handelspartner gerät oder der Partner einfach verschwindet und nicht mehr reagiert, werden Sie nicht allein gelassen. Mediatoren und Schlichter stehen immer bereit, um Rat zu geben und Lösungen in solchen Situationen zu bieten. Diese Rollen beobachten jeden Fall, schlagen freundliche Lösungen zwischen den Händlern vor und treffen möglicherweise endgültige Entscheidungen, wenn keine Einigung erzielt wird. Wenn Sie ehrlich gehandelt haben und die Regeln befolgt haben, werden die Ergebnisse zu Ihren Gunsten ausfallen und Sie werden niemals Ihre Mittel verlieren.\n\nZusammenfassend lässt sich sagen, dass Bisq darauf ausgelegt ist, die Notwendigkeit, anderen Peers zu vertrauen, zu minimieren und Betrug sowie andere schlechte Verhaltensweisen abzuschrecken. Dies führt dazu, dass sehr wenige Handelsfälle Konflikte aufweisen, und diejenigen, die dies tun, immer auf vernünftige Weise durch Mediation und/oder Schlichtung gelöst werden. Das Ergebnis: Der Handel auf Bisq ist eine sichere und reibungslose Erfahrung. + + +###################################################### +## Bitcoin +###################################################### + +academy.bitcoin.subHeadline=Ein Peer-to-Peer-Elektronikgeld, das Online-Zahlungen direkt ohne Zwischenhändler ermöglicht. +academy.bitcoin.whatIsBitcoinHeadline=Was ist Bitcoin +academy.bitcoin.whatIsBitcoinContent=Bitcoin ist die größte und beliebteste Kryptowährung der Welt. Es handelt sich um eine digitale Form von Geld, mit der jeder Wert direkt an andere Personen gesendet werden kann, ohne auf Zwischenhändler angewiesen zu sein. Es begann im Jahr 2009 und ist seitdem massiv gewachsen, da es aufgrund seiner einzigartigen und attraktiven Eigenschaften weltweit angenommen wurde.\n\nBitcoin unterscheidet sich in mehreren Aspekten von allen nationalen Währungen. Bitcoin wird weder von einer Regierung noch von einer Institution kontrolliert oder ausgegeben. Es ist dezentralisiert und existiert nur aufgrund der Tausenden von Menschen weltweit, die es nutzen. Dies macht es zu neutralem Geld, bei dem niemand in einer privilegierten Position ist, die Missbrauch ermöglicht. Das bedeutet auch, dass Sie Bitcoin frei verwenden können, ohne irgendwelche Berechtigungen zu benötigen, und niemand im System mehr Macht hat als Sie. Es ist ein offenes System, das jeden willkommen heißt. Eine weitere wichtige Eigenschaft ist, dass Sie Bitcoin in Selbstverwahrung halten können. Mit anderen Worten, Sie können es selbst besitzen, ohne von einem Unternehmen oder einer anderen Einrichtung abhängig zu sein. Im Vergleich zu traditionellen Währungen ähnelt es eher dem Bargeld in Ihrer Tasche (das Sie vollständig kontrollieren) als einem Kontostand auf einem Bankkonto (wo Sie den Bedingungen und Wünschen der Bank unterliegen). Dadurch sind Sie auch immer frei, Bitcoin zu senden: Sie benötigen keine Genehmigung von irgendjemandem, und Ihre Transaktionen können nicht gestoppt oder rückgängig gemacht werden. Ein dritter interessanter Aspekt ist, dass das Angebot an Bitcoin auf maximal 21 Millionen begrenzt ist. Dies bedeutet, dass der Wert eines jeden Bitcoins im Gegensatz zum Wert eines Dollars zum Beispiel nicht durch die Erzeugung von mehr davon entwertet werden kann. Bitcoin wird durch einen aufwendigen Prozess namens Mining erstellt, und sowohl der Emissionsplan als auch die maximale Menge, die erstellt werden kann, sind streng definiert und können nicht geändert werden. Dies begrenzt das Angebot und macht Bitcoin aufgrund seiner Knappheit und Robustheit attraktiv. +academy.bitcoin.whyUseBitcoinHeadline=Wozu Bitcoin verwenden +academy.bitcoin.whyUseBitcoinContent=Die Eigenschaften von Bitcoin machen es zu einem einzigartigen Vermögenswert, der aus verschiedenen Gründen verschiedene Menschen anspricht. Wie Bitcoin Sie anspricht, hängt von Ihrem Profil und Ihren Bedürfnissen ab.\n\nEiner der häufigsten Gründe für die Verwendung von Bitcoin durch Menschen ist seine Fähigkeit, den Wert im Laufe der Zeit zu schützen. Die nationalen Währungen der meisten Länder weltweit verlieren kontinuierlich an Wert durch Währungsverfall. Das bedeutet, dass Sie Ihre Ersparnisse, wenn Sie sie in bar oder auf einem Bankkonto halten, allmählich verlieren, da ihr Wert im Laufe der Zeit sinkt. Das begrenzte Angebot von Bitcoin verhindert, dass dies passiert. Selbst wenn es sich kurzfristig volatil verhält, ist es ein mächtiges Werkzeug, um Ihren Wohlstand langfristig zu erhalten.\n\nEin weiterer Grund, warum Einzelpersonen Bitcoin verwenden, ist der Schutz vor den Handlungen und Entscheidungen von Regierungen und Finanzinstituten. Da Bitcoin etwas ist, das Sie besitzen, senden und empfangen können, ohne Erlaubnis einzuholen, wird der darin gespeicherte Wert nicht von Situationen wie einer Zentralbank beeinflusst, die mehr Einheiten ihrer nationalen Währung druckt, einer Bank, die Ihre Überweisungen aus beliebigen Gründen blockiert, oder einer Regierung, die Konfiskationen bei ihrer Bevölkerung durchsetzt. Mit Bitcoin sind die Spielregeln bekannt und vorhersehbar, und Sie können darauf vertrauen, dass das Netzwerk fair ist und alle gleich behandelt.\n\nBitcoin ist auch für diejenigen sehr attraktiv, die im internationalen Handel tätig sind und Geld in andere Länder oder Regionen senden oder von dort empfangen möchten. Bitcoin kennt keine Grenzen und funktioniert gleich, egal ob Sie etwas an Ihren Nachbarn oder an jemanden auf der anderen Seite der Welt senden. Da Zahlungen an Personen oder Unternehmen in verschiedenen Teilen der Welt in der Regel lange Wartezeiten, hohe Gebühren und bürokratischen Aufwand bedeuten, wählen einige Leute Bitcoin als einfache und bequeme Alternative für ihre grenzüberschreitenden Zahlungen. Es bedeutet auch, dass Sie es verwenden können, um Geld an Länder zu senden, die Ihre Regierung oder Bank blockiert hat.\n\nSchließlich entscheiden sich einige Menschen für Bitcoin aufgrund seiner Einfachheit und Bequemlichkeit. Bitcoin bietet in dieser Hinsicht viele Vorteile gegenüber traditionellen Währungen. Sie müssen sich nicht mit Verträgen und langwierigen bürokratischen Prozessen befassen, um einfache Dinge wie das Eröffnen eines Kontos zu erledigen. Sie können einfach auf Ihr Geld auf allen Ihren Geräten zugreifen. Sie können es überallhin und an jeden senden, ohne verschiedene Zahlungsformen (Bargeld, Banküberweisungen verschiedener Arten, Kreditkarten usw.) verwenden zu müssen. Sie können Ihr Geld leicht schützen und sichern, wenn Sie über das richtige Wissen verfügen, und Sie müssen sich keine Sorgen darüber machen, dass jemand Ihre Brieftasche oder die Details Ihrer Kreditkarte stiehlt.\n\nBitcoin ist ein großer und innovativer Schritt in der Welt des Geldes und der Zahlungen. Es gibt fast sicher einen Grund, aus dem Bitcoin für Ihre Bedürfnisse attraktiv und nützlich sein kann. Daher ermutigen wir Sie, mehr darüber zu erfahren und sich damit vertraut zu machen. + + +###################################################### +## Security +###################################################### + +academy.security.subHeadline=Gewährleistung, dass Sie und nur Sie immer Zugriff auf Ihre Mittel haben +academy.security.introContent=Da Bitcoin in seiner Funktionsweise ziemlich anders ist als nationale Währungen, sind auch die Vorsichtsmaßnahmen, die Sie ergreifen müssen, ganz anders als das, was Sie wahrscheinlich gewohnt sind. Dies ist auch ein äußerst wichtiger Punkt, denn während Bitcoin Ihnen viel Macht und Freiheit bietet, macht es Sie auch verantwortlich für die Sicherheit Ihrer Mittel. Daher sollten Sie etwas Zeit und Mühe investieren, um zu lernen, wie Sie dies sicher tun können.\n\nObwohl Sicherheit ein komplexes Thema ist, können wir die Dinge auf drei Hauptziele reduzieren: sicherstellen, dass andere Personen niemals Zugriff auf Ihre privaten Schlüssel haben, sicherstellen, dass Sie immer Zugriff auf Ihre privaten Schlüssel haben, und vermeiden, dass Sie Ihre Bitcoins versehentlich an Betrüger und andere nicht vertrauenswürdige Personen senden. +academy.security.securingYourKeysHeadline=Sichern Ihrer Schlüssel +academy.security.securingYourKeysContent=Zunächst müssen Sie ein einfaches Konzept verstehen: Nicht Ihre Schlüssel, nicht Ihre Münzen. Das bedeutet, dass, um wirklich Eigentümer Ihrer Bitcoin zu sein, sie in einer Wallet gespeichert sein sollten, in der nur Sie die Schlüssel besitzen. Das Halten eines Bitcoin-Guthabens bei Entitäten wie Banken oder zentralisierten Börsen bedeutet nicht wirklich den Besitz des Vermögens, da diese Einrichtungen und nicht Sie die Schlüssel zu Ihren Mitteln halten. Wenn Sie wirklich Ihr Bitcoin besitzen möchten, müssen Sie es in einer Wallet speichern, für die nur Sie die Kontrolle über die Schlüssel haben.\n\nEs gibt viele Bitcoin-Wallets, jede mit ihrem eigenen einzigartigen Design und Funktionen. Was sie alle gemeinsam haben, ist, dass sie irgendwo Ihre privaten Schlüssel speichern werden. Diese Schlüssel ermöglichen den Zugriff auf Ihre Mittel. Welche Wallet Sie auch verwenden, Sie müssen sicherstellen, dass nur Sie oder Personen, denen Sie vollständig vertrauen, Zugriff auf diese Schlüssel haben. Wenn jemand anderes Zugriff darauf hat, kann er Ihre Mittel stehlen, und es kann nichts unternommen werden, um diese Transaktion rückgängig zu machen. Andererseits ist es genauso schrecklich, die Schlüssel selbst zu verlieren. Wenn Sie Ihre Schlüssel verlieren, können Sie Ihre Mittel nicht mehr senden, und es gibt keine Möglichkeit, die Kontrolle darüber zurückzugewinnen. Obwohl das vielleicht beängstigend klingt, können Sie diese Situationen leicht vermeiden, wenn Sie etwas lernen und gute Praktiken anwenden.\n\nDie meisten Bitcoin-Wallets bieten Ihnen eine 12- oder 24-Wörter lange Sicherungskopie, die allgemein als mnemonische Phrase oder einfach als Seedphrase bekannt ist. Diese Sicherungskopie ermöglicht es Ihnen, Ihre Wallet auf jedem Gerät wiederherzustellen, was sie zum wichtigsten Element macht, das Sie sichern müssen. Es wird im Allgemeinen empfohlen, diese Sicherungen in analoger Form zu speichern, typischerweise durch das Aufschreiben auf ein Blatt Papier oder auf eine kleine Metallplatte, und mehrere Kopien davon zu haben. Sie sollten es auch so aufbewahren, dass Sie es finden können, wenn Sie es benötigen, aber niemand sonst darauf zugreifen kann.\n\nFür größere Mengen an Bitcoin ist es üblich, spezialisierte Geräte namens Hardware Wallets zu verwenden, um Ihre Schlüssel zu speichern. Diese Geräte bieten ein höheres Maß an Sicherheit im Vergleich zur Speicherung Ihrer Schlüssel in einer Smartphone- oder Laptop-Wallet und bieten gleichzeitig eine bequeme Erfahrung bei Transaktionen. Sie können mehr über diese und andere Arten von Wallets im Abschnitt "Wallets" unter Bisq Lernen erfahren.\n\nSchließlich stellen Sie sicher, dass Sie übermäßig komplizierte Aufbewahrungssysteme vermeiden. Ein fortschrittlicher Speicherplan mit vielen Details und Feinheiten hält Diebe von Ihren Mitteln fern, aber es besteht auch die erhebliche Chance, dass Sie möglicherweise keinen Zugriff auf Ihre eigene Wallet haben aufgrund von Fehlern, Verwirrung oder einfachem Vergessen, wie Sie die Sicherungskopien organisiert haben. Streben Sie nach einem Gleichgewicht zwischen einer Einrichtung, die zu einfach ist und von jedermann leicht geknackt werden kann (wie das Speichern Ihrer Seedphrase in einer einfachen Textdatei auf dem Desktop Ihres Laptops) und einer, die so komplex ist, dass nicht einmal Sie sie knacken können (wie das Speichern der Wörter Ihrer Seedphrase über 12 Bücher an 12 verschiedenen Orten). +academy.security.avoidScamsHeadline=Betrügereien vermeiden +academy.security.avoidScamsContent=Eine weitere Quelle von Problemen und Risiken sind Betrügereien. Bitcoin-Transaktionen sind nicht umkehrbar, was bedeutet, dass Sie, wenn Sie von jemandem dazu getäuscht werden, ihm einige Bitcoin zu senden und er dann damit davonläuft, nicht wirklich viel dagegen tun können. Aus diesem Grund ist es üblich, auf verschiedene Schemata zu stoßen, bei denen versucht wird, Sie dazu zu überreden, etwas Bitcoin an sie zu senden. Die meiste Zeit werden Ihnen Betrüger wunderbare "Gelegenheiten" präsentieren, um leicht Geld zu verdienen, was tendenziell zu schön klingt, um wahr zu sein. Die spezifischen Geschichten und Details rund um diese Betrügereien sind extrem vielfältig und kreativ, aber das gemeinsame Muster wird immer gleich aussehen: Ihnen werden wunderbare Renditen angeboten, aber zuerst müssen Sie Bitcoin im Voraus senden. Sobald das Bitcoin gesendet wurde, werden Sie es wahrscheinlich nie zurückbekommen. Sich gegen diese Betrügereien zu verteidigen, ist einfach: Interagieren Sie nur mit seriösen und vertrauenswürdigen Unternehmen und Personen. Wenn Ihnen eine Entität suspekt vorkommt, fordern Sie Referenzen an oder meiden Sie sie einfach. Wenn Ihnen eine Gelegenheit angeboten wird, die sich fast zu schön anhört, um wahr zu sein, ist sie wahrscheinlich so, und Sie sollten sich davon fernhalten. + + +###################################################### +## Privacy +###################################################### + +academy.privacy.subHeadline=Deine Daten gehören dir. Behalte sie auch so. +academy.privacy.introContent=Die Wahrung der Privatsphäre Ihrer finanziellen Informationen und Identität ist ein gemeinsames Bedürfnis unter Bitcoin-Nutzern. Es ist natürlich und logisch, dass Sie nicht möchten, dass andere Personen ohne Ihre Zustimmung über Ihre Mittel und Transaktionen Bescheid wissen. Immerhin würden Sie ja auch nicht mit einem T-Shirt herumlaufen, auf dem Ihr Bankkontostand und Kreditkartenberichte abgebildet sind, oder? Privatsphäre ist ein wichtiges Thema bei Bitcoin, weil die transparente Natur von Bitcoin-Transaktionen und Adressen Fehler in diesem Bereich besonders teuer macht. In diesem Abschnitt behandeln wir einige Punkte zur Privatsphäre auf Ihrer Bitcoin-Reise. +academy.privacy.whyPrivacyHeadline=Weshalb Privatsphäre relevant ist +academy.privacy.whyPrivacyContent=Viele Nutzer schätzen die Freiheit, die Bitcoin ihnen bietet, ihr Eigentum zu besitzen und frei und ohne Erlaubnis mit anderen zu handeln. Doch ohne gute Datenschutzpraktiken werden diese Merkmale von Bitcoin ernsthaft untergraben. Die Offenlegung von Informationen über dich und deine Bitcoin-Guthaben setzt dich verschiedenen Arten von Angriffen aus, die deine eigene Freiheit einschränken werden. Sich darüber Gedanken zu machen, welche Daten du teilst und dies bewusst zu tun, wird dich davor bewahren, kostspielige Fehler zu machen, die du später bereuen könntest.\n\nDas erste offensichtliche Problem bei der Enthüllung deiner Identität und Details über dein Vermögen ist die persönliche Sicherheit. Wenn jemand Details wie die Menge an Bitcoin, die du besitzt, wo du lebst und welche Art von Wallet du verwendest, kennt, könnte er leicht einen physischen Angriff gegen dich planen, um an deine Schlüssel zu kommen. Das ist besonders verlockend im Vergleich zu Konten nationaler Währungen, da Bitcoin-Transaktionen unumkehrbar sind. Wenn also ein Dieb es schafft, dich dazu zu bringen, deine Bitcoin an eine Adresse seiner Wahl zu senden, oder einfach deine Wallet-Schlüssel stiehlt und dies selbst tut, gibt es keine Möglichkeit, diese Transaktion zu stornieren, und dein Bitcoin gehört dir nicht mehr. Deine Identität und finanziellen Details privat zu halten, schützt dich vor dieser Art von Angriff.\n\nEin weiterer guter Grund, deine Details privat zu halten, ist die Gefahr durch feindselige Regierungsmaßnahmen und -aktionen. Regierungen auf der ganzen Welt haben wiederholt Aktionen gegen das Privateigentum ihrer Bürger auf verschiedene Weisen unternommen. Ein großartiges Beispiel dafür ist die Exekutivverordnung 6102, die es US-Bürgern verbot, Gold zu besitzen, und zu einer einseitigen Beschlagnahme von Gold für Millionen von US-Bürgern führte. Genau wie bei regulären Dieben schützt du dich, indem du sicherstellst, dass Regierungsstellen und -personal keine Informationen über dich und deine Mittel haben, für den Fall, dass die Regierung eine negative Politik gegenüber Bitcoin-Besitzern beginnt.\n\nInsgesamt möchtest du wahrscheinlich einfach nicht, dass andere wissen, wie viel Bitcoin du besitzt oder welche Transaktionen du durchführst. So wie wir unsere Bankkonten mit verschiedenen Methoden schützen, damit nur wir unsere Salden und Bewegungen prüfen können, macht es Sinn, sicherzustellen, dass andere nicht in der Lage sind, die Transaktionen und ihre Details einzusehen, wie wann, wie viel oder mit wem wir handeln. +academy.privacy.giveUpPrivacyHeadline=Wie wir unsere Privatsphäre aufgeben +academy.privacy.giveUpPrivacyContent=Es gibt viele Möglichkeiten, wie man freiwillig oder unbeabsichtigt persönliche Details preisgeben kann. Meistens lassen sich diese mit etwas gesundem Menschenverstand leicht vermeiden, da wir unsere Details häufig einfach preisgeben, weil wir nicht darüber nachdenken. Einige subtilere Lecks erfordern etwas technisches Wissen und Zeit. Aber die gute Nachricht ist, dass mit minimalem Aufwand die größten Probleme vermieden werden können.\n\nDer klare Champion der Datenschutzfehler, sowohl aufgrund ihrer Häufigkeit als auch ihrer Schrecklichkeit, ist das freiwillige Zurverfügungstellen Ihres Ausweises beim Kauf oder Verkauf von Bitcoin. Heutzutage sind die meisten zentralisierten Börsen (Unternehmen wie Coinbase, Kraken, Binance usw.) staatlichen KYC-Vorschriften unterworfen (KYC steht für Know Your Customer). Das bedeutet, dass Regierungen diese Unternehmen zwingen, nach Ihrem Reisepass, Personalausweis, Führerschein oder ähnlichen Dokumenten zu fragen, damit diese Informationen mit Ihrem Konto verknüpft werden können. Von dem Moment an, an dem Sie diese Informationen preisgeben, werden jede Ihrer Käufe und Verkäufe aufgezeichnet und mit Ihnen verknüpft sein. Darüber hinaus werden die Börse und staatliche Behörden jederzeit vollständige Einsicht in Ihre Kontostände haben. Selbst wenn Sie sich entscheiden, Ihre Bitcoin aus diesen Börsen in eine von Ihnen kontrollierte Wallet zu transferieren, können diese Parteien verfolgen, an welche Adressen Ihre Mittel gesendet wurden. Und wenn das noch nicht besorgniserregend genug ist, gibt es eine weitere Sorge, die berücksichtigt werden muss: Wenn ein Hacker Zugriff auf die Datenbanken dieser Unternehmen erhält, könnten Ihre Informationen öffentlich im Internet veröffentlicht werden, was es jedem auf der Welt ermöglicht, alle Ihre persönlichen und finanziellen Informationen zu kennen. Dies ist eine Situation, die in den letzten Jahren viele Male vorgekommen ist und schreckliche Konsequenzen für einige der betroffenen Kunden der Börsen hatte.\n\nEin weiterer Bereich, dem Aufmerksamkeit geschenkt werden muss, ist die Adress-Wiederverwendung. Jedes Mal, wenn Sie jemandem eine Adresse Ihrer Wallet geben, um einige Bitcoin von ihm zu erhalten, erfährt diese Person, dass diese Adresse Ihnen gehört. Das bedeutet, dass die Person ab diesem Zeitpunkt die Adresse und ihre gesamte Aktivität überwachen könnte. Wenn Sie diese Adresse wiederholt wiederverwenden, kann jede Person, mit der Sie interagieren, die verschiedenen Transaktionen sehen, die über die Adresse abgewickelt werden, einschließlich Zeitpunkt, Herkunft und Ziel der Mittel sowie die Beträge der Transaktionen. Daher wird empfohlen, Adressen nur einmal zu verwenden, um Bitcoin zu erhalten. Die meisten Wallets kümmern sich automatisch darum, aber es ist dennoch wichtig, zu verstehen, warum dies eine gute Praxis ist.\n\nSchließlich könnte die Nutzung von Knoten anderer Personen zur Datenlektüre der Blockchain bedeuten, dass der Knotenbetreiber potenziell überwachen könnte, an welchen Adressen Ihre Wallet interessiert ist. Bei der Verwaltung großer Mengen von Bitcoin lohnt es sich, zu lernen, wie man seinen eigenen Knoten betreibt und seine Wallet damit verbindet. Oder zumindest darauf zu achten, mit welchem Knoten Sie verbunden sind, und einen von einer Person oder Organisation zu wählen, der Sie vertrauen, wie einen erfahrenen Freund im Bereich Bitcoin oder eine lokale Bitcoin-Community. +academy.privacy.bisqProtectsPrivacyHeadline=Bisq schützt Ihre Privatsphäre +academy.privacy.bisqProtectsPrivacyContent=Bisq ermöglicht es Ihnen, Bitcoin von anderen Nutzern zu kaufen und zu verkaufen. Dieser einfache Unterschied bringt gegenüber der Nutzung zentralisierter Börsen eine Vielzahl von Vorteilen in Bezug auf die Privatsphäre mit sich. Durch die Verwendung von Bisq schützen Sie Ihre Sicherheit und Privatsphäre vor Regierungen, Unternehmen und anderen feindlichen Dritten, die sonst Ihre Daten gegen Ihre eigenen Interessen aufzeichnen und verwenden würden.\n\nWenn Sie bei Bisq handeln, kennen nur Ihr Handelspartner und Sie die Details der Transaktion. Und selbst zwischen beiden wird die zu teilende Information vollständig minimiert und auf die strikt notwendigen Zahlungsdetails beschränkt, wie beispielsweise Ihre Bankkontonummer, wenn Sie eine Fiat-Zahlung auf Ihrem Bankkonto erhalten möchten. Dies bedeutet, dass keine Informationen wie Ihr Ausweis oder Ihre Adresse bereitgestellt werden müssen. Darüber hinaus verhindert die Möglichkeit, bei jedem Handel mit verschiedenen Nutzern zu interagieren, dass eine einzelne Person im Laufe der Zeit Daten über Sie ansammelt, verteilt also Ihre Transaktionshistorie über verschiedene Handelspartner und verhindert, dass eine einzelne Entität einen vollständigen Überblick über Ihr finanzielles Leben hat. Bisq ermöglicht es Ihnen auch, jeden von Ihnen gekauften Bitcoin direkt in eine Adresse einer von Ihnen kontrollierten Wallet zu erhalten, was es Ihnen ermöglicht, jederzeit die Kontrolle über Ihre Mittel zu behalten, und diese über verschiedene Adressen zu verteilen, sodass kein einzelner Nutzer Ihre gesamte Wallet überwachen kann.\n\nUnd denken Sie daran: Bisq ist nur eine Software, die auf Ihrem Computer läuft und sich nur über datenschutzfreundliche Netzwerke wie Tor und I2P mit dem Internet verbindet. Sie müssen sich nicht einmal pseudonym irgendwo registrieren. Aus diesem Grund kann niemand wissen, dass Sie Bisq nutzen, und Ihre Kommunikation mit anderen Teilnehmern kann von Dritten weder überwacht, verfolgt noch eingesehen werden. + + +###################################################### +## Wallets +###################################################### + +academy.wallets.subHeadline=Die richtigen Werkzeuge zur Verwaltung und Sicherung Ihrer Bitcoins auswählen. +academy.wallets.whatIsAWalletHeadline=Was ist eine Geldbörse? +academy.wallets.whatIsAWalletContent=Geldbörsen sind Ihr Werkzeug, um die grundlegendsten Aktionen in Bezug auf Bitcoin durchzuführen: Es empfangen, speichern und versenden. Da Bitcoin ein offenes System ist, kann jeder eine Geldbörse dafür entwickeln, und es gibt viele verschiedene. Das ist großartig, denn es bedeutet, dass Sie viele verschiedene Optionen auf dem Markt zur Auswahl haben und sogar mehrere Geldbörsen verwenden können, um verschiedene Bedürfnisse zu erfüllen.\n\nIm Allgemeinen ist eine Geldbörse eine Software, die mehrere Dinge für Sie erledigt: Sie liest die Blockchain, um das Guthaben der von Ihnen kontrollierten Adressen zu überprüfen. Sie kann Transaktionen erstellen und senden, wenn Sie jemand anderem bezahlen möchten. Und sie speichert Ihre Schlüssel, damit Sie Ihre Transaktionen signieren können. Einige dieser Funktionen sehen in verschiedenen Geldbörsen unterschiedlich aus, und einige Geldbörsen decken nur Teile davon ab. Um dies besser zu verstehen, ist es hilfreich, mit den verschiedenen Merkmalen vertraut zu sein, die Geldbörsen voneinander unterscheiden.\n\nZunächst sollten Sie den Unterschied zwischen einer Hot Wallet und einer Cold Wallet verstehen. Eine Hot Wallet ist eine Software-Geldbörse, in der die Schlüssel, die Ihre Bitcoins kontrollieren, auf einem mit dem Internet verbundenen Gerät gespeichert sind. Eine Cold Wallet hingegen ist eine Konfiguration, bei der Ihre Schlüssel auf einem Gerät gespeichert sind, das niemals mit dem Internet verbunden ist, und Sie eine andere Software verwenden, um Ihr Guthaben zu verfolgen sowie Transaktionen vorzubereiten und zu senden. Hot Wallets sind normalerweise eine einfache App auf Ihrem Telefon oder Laptop. Eine Cold Wallet bedeutet hingegen, dass Sie eine Software auf Ihrem Telefon oder Laptop verwenden, die Ihre Schlüssel nicht enthält, und Sie kombinieren dies mit einem zweiten Gerät, das die Schlüssel enthält und niemals mit dem Internet verbunden ist. Dieses zweite Gerät könnte ein dedizierter Laptop oder Smartphone sein oder häufiger eine Hardware-Geldbörse. Hot Wallets sind einfacher zu verwalten und zu verwenden, aber sie sind auch weniger sicher. Cold Wallets erfordern eine etwas komplexere und umständlichere Einrichtung, bieten jedoch ein viel höheres Maß an Sicherheit gegen Hacks und Fehler beim Umgang mit Schlüsseln. Wie man mit den Risiken der Verwaltung Ihrer Mittel umgeht, ist eine persönliche Entscheidung, aber es wird im Allgemeinen empfohlen, Hot Wallets wie Ihre traditionelle Wallet für Geldscheine und Münzen in Ihrer Tasche zu verwenden und Cold Wallets wie einen Safe in einer Bank zu verwenden. Sie würden keine Million Dollar in Ihrer Brieftasche tragen. Und Sie würden den Inhalt Ihres Safes nicht für einen Kaffee verwenden.\n\nHardware-Geldbörsen sind spezielle physische Geräte, die entworfen und hergestellt wurden, um die Schlüssel Ihrer Mittel zu speichern und Transaktionen mit diesen Schlüsseln zu signieren. Sie bieten eine bequeme Möglichkeit, Transaktionen zu signieren, um Ihre Mittel auszugeben, während Ihre Schlüssel sicher gespeichert sind und nicht an andere weitergegeben werden. Die Verwendung einer Hardware-Geldbörse verbessert Ihre Sicherheit gegenüber der Verwendung einer Hot Wallet auf Ihrem Hauptcomputer oder Smartphone um ein Vielfaches. Wenn Sie Ihre Bitcoin-Reise starten, müssen Sie nicht von Tag eins an eine Geldbörse haben, aber wahrscheinlich möchten Sie eine haben, sobald Sie anfangen, eine Menge Bitcoin anzuhäufen, deren Verlust schmerzhaft wäre. Es gibt viele Hardware-Geldbörsen auf dem Markt, deren typische Preise bei etwa 100 US-Dollar liegen.\n\nUnd eine letzte Anmerkung: Ein Guthaben an einer zentralisierten Börse ist keine Geldbörse. Da Sie die Schlüssel nicht kontrollieren, verlassen Sie sich darauf und vertrauen darauf, dass die zentralisierte Börse Ihren Bitcoin tatsächlich hält. Wenn sie ihn aus irgendeinem Grund nicht senden, wenn Sie ihn abheben möchten, gibt es keine Möglichkeit, dass Sie ihn erhalten. Denken Sie daran: Nicht Ihre Schlüssel, nicht Ihre Coins. +academy.wallets.howToPickHeadline=Wie man eine Geldbörse auswählt +academy.wallets.howToPickContent=Die Auswahl der richtigen Geldbörse für Sie ist eine Entscheidung, die von vielen Faktoren abhängt, wie beispielsweise von Ihrer geplanten Verwendung von Bitcoin, den zu handhabenden Beträgen oder den von Ihnen besessenen Geräten. Es gibt jedoch einige allgemeine Empfehlungen, die Sie befolgen können, sowie spezifische Geldbörsen, die eine gute Erfolgsbilanz haben.\n\nDer erste und wichtigste allgemeine Ratschlag ist die Auswahl einer Open-Source-Geldbörse. Die Überprüfung des Codes Ihrer Geldbörse ist von entscheidender Bedeutung. Sie können mehr über dies im Abschnitt Open Source von Bisq Learn erfahren. Eine weitere wichtige Empfehlung ist die Auswahl einer Geldbörse, die keine anderen Kryptowährungen neben Bitcoin unterstützt. Geldbörsen, die mehrere Kryptowährungen handhaben, müssen komplexeren Code verwenden, um mit den verschiedenen unterstützten Währungen zu arbeiten, was größere Sicherheitsrisiken mit sich bringt. Daher ist es besser, eine Bitcoin-only-Geldbörse für Ihre Mittel zu wählen. Schließlich versuchen Sie, Geldbörsen auszuwählen, die seit einiger Zeit auf dem Markt sind, starke Benutzerbasis haben und eine gute Reputation haben. Es ist ratsam, brandneue Geldbörsen höchstens für fortgeschrittenen Gebrauch oder Experimente zu verwenden.\n\nWenn Sie planen, Ihre Geldbörse auf Ihrem Smartphone zu verwenden, empfehlen wir eine der folgenden Geldbörsen: Bluewallet, Blockstream Green oder Nunchuk. Wenn Sie hingegen einen PC verwenden möchten, würden wir empfehlen, eine der folgenden zu verwenden: Sparrow, Bluewallet, Electrum, Blockstream Green oder Nunchuk. Dies sind alles gute Geldbörsen für Anfänger. Sie können mehrere davon ausprobieren, um die jenige zu finden, die Ihnen am besten passt, oder sogar mehrere gleichzeitig verwenden, wenn Sie möchten. Wenn Sie mehr Erfahrung und Wissen erwerben, entwickeln Sie möglicherweise Vorlieben, abhängig von den fortgeschritteneren Funktionen, die diese Geldbörsen voneinander unterscheiden.\n\nSobald Sie genügend Mittel haben, um Sicherheit noch ernster zu nehmen, macht es wahrscheinlich Sinn, eine Hardware-Geldbörse zu erwerben. Mit einer Hardware-Geldbörse können Sie Ihre Schlüssel darin speichern und Transaktionen damit signieren, während Sie immer noch eine Software wie Sparrow, Bluewallet oder Nunchuk verwenden können, um Ihre Kontostände zu überprüfen und Transaktionen vorzubereiten. Bei Hardware-Geldbörsen gelten größtenteils dieselben Ratschläge: Wählen Sie Geldbörsen mit transparenten und öffentlichen Designs, die nur Bitcoin unterstützen und eine gute Reputation und eine gute Erfolgsbilanz haben. Einige bekannte Marken sind Coldcard, Bitbox, Trezor oder Foundation.\n\nDie Welt der Geldbörsen ist reich und vielfältig, was sowohl großartig als auch verwirrend sein kann. Es ist völlig in Ordnung, anfangs ein wenig überwältigt zu sein. Wenn Sie gerade erst anfangen, würden wir empfehlen, ein wenig zu recherchieren, einige der von uns geteilten Optionen auszuprobieren und, sobald Sie eine finden, mit der Sie sich wohl fühlen, dabei zu bleiben. Wenn Sie mehr über Bitcoin lernen, können Sie jederzeit neue und fortgeschrittenere Optionen erkunden und zu einer anderen Geldbörse wechseln oder mehrere gleichzeitig verwenden, wenn Sie möchten. + + +###################################################### +## Free Open Source Software +###################################################### + +academy.foss.subHeadline=Erfahren Sie mehr über offenen Code und wie er Bitcoin und Bisq antreibt. +academy.foss.bitcoinAndFossHeadline=Bitcoin und Open-Source-Software +academy.foss.bitcoinAndFossContent=Open-Source-Software ist Software, deren Code öffentlich zugänglich ist und den jeder lesen, kopieren und nach Belieben ändern kann. Das steht im Gegensatz zu Closed-Source- oder proprietärer Software, bei der der ursprüngliche Autor entscheidet, den Code für sich zu behalten und niemand sonst Zugang oder Erlaubnis dazu hat. Auch wenn dies wie ein technisches Thema erscheinen mag, liegt es in deinem Interesse, die Auswirkungen von Open-Source-Software auf deine Bitcoin-Reise zu verstehen. Lass uns ins Detail gehen.\n\nDie Welt von Bitcoin wird tiefgehend von Open-Source-Software beeinflusst und steht in Verbindung damit. Die Bitcoin-Software selbst ist seit dem ersten Tag Open Source. Bisq ist ebenfalls ein Open-Source-Projekt. Viele andere umgebende Technologien, wie Lightning-Clients, Mixing-Dienste oder Mining-Firmware, werden typischerweise als Open-Source-Projekte entwickelt. Viele Wallets sind ebenfalls Open Source, und wie wir im Wallets-Abschnitt von Bisq Lernen diskutieren, empfehlen wir dringend, dass du Wallets wählst, die Open Source sind.\n\nWarum ist das so? Closed-Source-Software wird üblicherweise von Unternehmen und Einzelpersonen gebaut und privat gehalten, die andere für Lizenzen bezahlen lassen und die vollständige Kontrolle über das Projekt behalten möchten. Im Bitcoin-Bereich ist das selten der Fall. Bitcoin ist von Natur aus ein offenes und einladendes System, und der Code ist eine Darstellung davon. Jeder kann den Code sehen, ihn ändern, Kopien seiner eigenen Version mit anderen teilen und einfach gesagt, damit machen, was er will. Bisq ist ebenfalls ein Open-Source-Projekt, bei dem jeder willkommen ist, teilzunehmen, die Anwendung zu erweitern und auf unterschiedliche Weise Verbesserungen vorzunehmen. +academy.foss.openSourceBenefitsHeadline=Wie Ihnen Open-Source-Software zugutekommt +academy.foss.openSourceBenefitsContent=Sie könnten denken, dass es für Sie als Nicht-Softwareentwickler wenig relevant ist, ob der Code einer Software öffentlich ist oder nicht. Dies ist überhaupt nicht der Fall. Auch wenn Sie nicht vorhaben, den Code der von Ihnen verwendeten Apps anzusehen oder zu ändern, wird Ihr Erlebnis damit stark beeinflusst, ob der Code offen oder geschlossen ist. Dies ist noch wichtiger, wenn es um die Software geht, die Ihr finanzielles Leben steuert und Ihre Fähigkeit zum Sparen, Empfangen und Senden von Geld unterstützt. Im Allgemeinen ist die Verwendung von Open-Source-Software für Sie vorteilhafter als die Verwendung äquivalenter Closed-Source-Software. Lassen Sie uns einige wichtige Gründe dafür näher betrachten, warum dies für Sie wichtig ist.\n\nEin sehr wichtiger Grund, sich für Open-Source-Software zu entscheiden, ist die Sicherheit. Da Open-Source-Software von jedem gelesen werden kann, versuchen Hacker und böswillige Akteure regelmäßig, Fehler und Sicherheitslücken zu finden. Sie könnten denken, dass dies gefährlich ist, aber es ist eigentlich andersherum! Dies liegt daran, dass die Tatsache, dass der Code für jeden zugänglich ist, bedeutet, dass jeder nach Sicherheitsproblemen suchen und diese entweder aufzeigen, selbst beheben oder sie böswillig ausnutzen kann. Gemeinsam wird die Gemeinschaft von Benutzern und Entwicklern um das Projekt die meisten Fehler schnell erkennen und beheben, oft sogar, bevor sie veröffentlicht werden. Und wenn jemand diesen Fehler nutzt, um die Software böswillig auszunutzen, dauert es nicht lange, bis dies bemerkt und Lösungen angewendet werden. Bei Closed-Source-Software überprüft nur das kleine, bezahlte Team hinter dem Projekt den Code, was zu einer viel höheren Chance führt, dass Fehler unbemerkt bleiben. Mehr Augen, weniger Fehler. Und Unternehmen haben auch ein Interesse daran, nicht offenzulegen, dass ihre Closed-Source-Produkte Sicherheitsprobleme haben, was dazu führt, dass viele Fehler und Hacks geheim gehalten statt offengelegt werden. Schließlich, da in geschlossenen Quellcodeprojekten nur das Entwicklungsteam den Code sehen kann, wie können Sie oder jemand anders vollständig darauf vertrauen, dass die Software sicher ist? Dies hängt mit einem gängigen Sprichwort in der Bitcoin-Kultur zusammen: Vertraue nicht, überprüfe. Insgesamt führt Open-Source-Software zu viel sichereren und robusteren Ergebnissen als Closed-Source-Software.\n\nEin weiterer guter Grund, Open-Source-Software gegenüber Closed-Source-Software zu wählen, ist die langfristige Kontinuität der ersteren. Öffentlicher Code ist nicht von einer einzigen Entität oder Person abhängig, um im Laufe der Zeit gewartet zu werden. Selbst wenn das ursprüngliche Team hinter einem Projekt irgendwann verschwindet, können andere übernehmen und es weiterhin pflegen und weiterentwickeln. Das beste Beispiel dafür ist Bitcoin selbst: Obwohl sein pseudonymer Schöpfer, Satoshi Nakamoto, vor mehr als zehn Jahren verschwunden ist, ist das Projekt über alle Erwartungen hinweg gewachsen und gedeiht weiter. Daher reduzieren Sie jedes Mal, wenn Sie Open-Source-Software anstelle von Closed-Source-Software wählen, dramatisch die Chancen, dass ein Unternehmen oder Entwickler Sie mit veralteter und nicht gepflegter Software allein lässt.\n\nSchließlich tendieren Open-Source-Projekte mit weit verbreiteter Nutzung wie Bitcoin, Bisq oder Geldbörsen wie Electrum dazu, qualitativ hochwertige Produkte anzuführen, indem sie das beste Talent anziehen. Die offene Natur der Projekte ermöglicht es jedem, zusammenzuarbeiten, und viele großartige Entwickler im Raum würden lieber durch den Aufbau auf einem guten Projekt zusammenarbeiten, als eine Duplikation von Grund auf zu beginnen. Im Laufe der Zeit führen die kumulativen Beiträge dieser Einzelpersonen zu beeindruckenden Ergebnissen, die häufig das übertreffen, was die meisten Unternehmen, selbst gut finanzierte, jemals erreichen könnten.\n\nZusammenfassend gesagt, bietet die Wahl von Open-Source-Optionen für Ihre Bitcoin-Werkzeuge eine großartige Reihe von Vorteilen, die Ihnen helfen, sichere und nützliche Produkte von hoher Qualität zu genießen. Wir hoffen, dass Sie neugierig auf die Natur des Codes werden, den Sie in Ihrem täglichen Leben verwenden, und dass Sie informierte Entscheidungen über die von Ihnen ausgeführte Software treffen. diff --git a/shared/domain/src/commonMain/resources/mobile/academy_es.properties b/shared/domain/src/commonMain/resources/mobile/academy_es.properties new file mode 100644 index 00000000..7a8dd0f5 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/academy_es.properties @@ -0,0 +1,94 @@ +###################################################### +## Academy (Learn section) +###################################################### + +academy.overview=Índice + +academy.overview.subHeadline=Guía del Autoestopista hacia el Criptoverso +academy.overview.content=Miembros de la comunidad de Bisq y Bitcoin proporcionan contenido para aprender sobre Bitcoin y su entorno y te ayudan a distinguir el trigo de la paja. +academy.overview.selectButton=Más información + +academy.overview.bisq=Bisq +academy.overview.bisq.content=Aprende sobre Bisq, la DAO de Bisq. Y descubre por qué Bisq es importante para tu seguridad, privacidad y para mantener a Bitcoin alineado con sus valores fundamentales. +academy.overview.bitcoin=Bitcoin +academy.overview.bitcoin.content=Adéntrate por la madriguera de Satoshi. Aprende sobre los conceptos detrás de la cadena de bloques, la minería y qué hace único a Bitcoin. +academy.overview.security=Seguridad +academy.overview.security.content=Aprende sobre conceptos de seguridad relacionados con la gestión de tus fondos de Bitcoin. Asegúrate de que entiendes las buenas prácticas para mantener tu Bitcoin seguro. +academy.overview.privacy=Privacidad +academy.overview.privacy.content=¿Por qué es importante la privacidad? ¿Cuáles son los riesgos cuando hay empresas recopilan tus datos? ¿Por qué la privacidad es un requisito para una sociedad libre y para tu seguridad? +academy.overview.wallets=Carteras +academy.overview.wallets.content=¿Quieres descubrir qué cartera es la mejor para tus necesidades? Lee aquí sobre las mejores alternativas. +academy.overview.foss=Código abierto +academy.overview.foss.content=Bisq es software libre y de código abierto (FOSS) basado en la licencia GPL. ¿Por qué es importante el código abierto? ¿Interesado en contribuir? + + +###################################################### +## Bisq +###################################################### + +academy.bisq.subHeadline=Bisq es software libre y de código abierto para intercambiar Bitcoin por monedas fiat u otras criptomonedas de manera descentralizada y requiriendo la mínima confianza. +academy.bisq.exchangeDecentralizedHeadline=Intercambio, descentralizado +academy.bisq.exchangeDecentralizedContent=Bisq es una aplicación de compra-venta donde puedes comprar y vender Bitcoin a cambio de monedas nacionales u otras criptomonedas. A diferencia de la mayoría de las plataformas de compra-venta, Bisq es descentralizado y de usuario a usuario.\n\nEs descentralizado porque no depende ni está controlado por una sola empresa, equipo o gobierno. La descentralización hace que Bisq sea una red resistente: al igual que Bitcoin, existe gracias a usuarios como tú. Dado que no hay un único elemento del que dependa todo, es significativamente difícil que alguien detenga o perjudique la red. Es de usuario a usuario porque cada operación que realizas se empareja con otro usuario como tú. Esto te ayuda a proteger tu privacidad de elementos centrales como gobiernos e instituciones financieras tradicionales. También hace que Bisq funcione sin que tengas que pedir permiso: no necesitas autorización de nadie para usarlo, y nadie puede impedirte hacerlo. \n\nActualmente, existen dos aplicaciones: Bisq 1 y Bisq 2. Bisq 2 es la aplicación donde estás leyendo esto. Te recomendamos familiarizarte con Bisq 2 antes de intentar aprender más sobre Bisq 1. +academy.bisq.whyBisqHeadline=¿Por qué Bisq? +academy.bisq.whyBisqContent=Para muchos usuarios, Bisq es su método preferido para comprar o vender Bitcoin a cambio de monedas nacionales. Esto se debe a que, por su naturaleza, Bisq ofrece una experiencia completamente diferente a la de las plataformas de compra-venta centralizadas.\n\nLos usuarios también valoran la naturaleza respetuosa con su privacidad de Bisq. Para usar Bisq, no necesitas proporcionar ningún tipo de información personal. Cuando realizas una transacción, solo tienes que compartir tus detalles de pago con tu contraparte comercial. Nadie más tiene acceso a estos datos, y no hay una base de datos central donde se almacenen todos tus datos y transacciones durante años o décadas.\n\nBisq también permite a los usuarios superar las prohibiciones que pueden imponer arbitrariamente sus gobiernos locales o instituciones financieras. Ejemplos de esto pueden ser gobiernos que declaren ilegal la posesión o compra-venta de Bitcoin, o bancos que prohíban a los clientes enviar su propio dinero a plataformas de compra-venta. Los usuarios que se encuentran en estas situaciones pueden usar Bisq para sortear la exclusión del sistema financiero tradicional, sea cual sea el motivo.\n\nFinalmente, Bisq es una forma segura de intercambiar Bitcoin y monedas nacionales. Los protocolos de compra-venta existentes y los sistemas de reputación previenen que actores malintencionados te roben. Si otro usuario no se comporta adecuadamente, siempre hay mediadores disponibles para apoyarte y, si es necesario, intervenir para encontrar una solución para tu caso. El resultado: los usuarios de Bisq pueden comerciar tranquilamente con otros sin preocuparse por ser estafados y perder sus fondos. +academy.bisq.tradeSafelyHeadline=Compra y vende de forma segura +academy.bisq.tradeSafelyContent=Intercambiar tus Bitcoins y monedas nacionales directamente con otros usuarios tiene grandes ventajas como no depender de empresas intermediarias o proteger tu privacidad. Pero podrías preguntarte: ¿cómo sé si la persona con la que estoy interactuando es honesta? ¿No me estafarán? Esas son preocupaciones válidas que haces bien en tener en cuenta, y Bisq las aborda de varias formas para permitir transacciones seguras.\n\nLos diferentes protocolos de compra-venta (puedes pensar en un protocolo como las reglas que tú y tu contraparte seguiréis) minimizan el riesgo de que algún actor estafe a su contraparte durante un intercambio. Por lo general, hay un equilibrio entre seguridad y comodidad: algunos protocolos son más sólidos, otros son más sencillos y rápidos. Está en tus manos decidir qué protocolo usar en cada intercambio, según tus preferencias. necesidades y el tamaño de la compra-venta. Se recomiendan protocolos como Bisq Easy para cantidades pequeñas de dinero, mientras que protocolos más sólidos y estructurados como Bisq MuSig son más adecuados para cantidades mayores.\n\nSi tu compra-venta termina en conflicto con tu contraparte, o si simplemente desaparece y deja de responder, no estás solo. Siempre hay mediadores y árbitros disponibles para aconsejar y proporcionar soluciones en estas situaciones. Estos roles juzgarán cada conflicto, propondrán soluciones amigables entre los usuarios y, potencialmente, tomarán decisiones finales si no se alcanzan acuerdos. Si has actuado de manera honesta y has seguido las reglas, los resultados estarán a tu favor y nunca perderás tus fondos.\n\nEn resumen, Bisq está diseñado para minimizar la necesidad de confiar en otros usuarios y para desincentivar el fraude y otros comportamientos deshonestos. Esto se traduce en que muy pocos intercambios que tienen algún tipo de conflicto, y aquellos que lo tienen siempre se resolverán de manera razonable a través de la mediación y/o arbitraje. El resultado: la compra-venta en Bisq es una experiencia segura y fluida. + + +###################################################### +## Bitcoin +###################################################### + +academy.bitcoin.subHeadline=Un efectivo electrónico entre usuarios que permite realizar pagos en línea directamente sin intermediarios. +academy.bitcoin.whatIsBitcoinHeadline=¿Qué es Bitcoin? +academy.bitcoin.whatIsBitcoinContent=Bitcoin es la criptomoneda más grande y popular del mundo. Es una forma digital de efectivo que permite a cualquier persona enviar valor a terceros sin la necesidad de intermediarios. Nació en 2009 y ha crecido a pasos agigantados desde entonces, ganando adopción en todo el mundo gracias a sus propiedades únicas y atractivas.\n\nBitcoin se diferencia de todas las monedas nacionales en varios aspectos. Bitcoin no es controlado ni emitido por ningún gobierno o institución. Es descentralizado, y funciona únicamente gracias a miles de personas en todo el mundo que lo usan. Esto lo convierte en dinero neutral, donde nadie está en una posición privilegiada que permita abusar de él. Esto también significa que puedes usar Bitcoin sin necesitar ningún tipo de permiso, y ningún participe del sistema tiene más poder que tú. Es un sistema abierto que da la bienvenida a todos. Otra propiedad importante es que puedes tener Bitcoin en autocustodia. En otras palabras, puedes custodiarlo tú mismo sin depender de ninguna otra compañía o institución. Comparándolo con las monedas tradicionales, es más similar al efectivo en tu bolsillo (que controlas completamente) que a un saldo en una cuenta bancaria (donde estás sujeto a las condiciones y antojos del banco). Debido a esto, también eres siempre libre de enviar Bitcoin: no necesitas la aprobación de nadie para hacerlo, y tus transacciones no pueden ser detenidas ni revertidas. Un tercer aspecto interesante es que el suministro de Bitcoin está limitado a un máximo de 21 millones. Esto significa que el valor de cada bitcoin, a diferencia del valor de cada dólar, por ejemplo, no puede ser devaluado por la impresión de más unidades. Bitcoin se crea a través de un proceso intenso en recursos llamado minería, y tanto el calendario de emisión como la cantidad máxima que se puede crear están estrictamente definidos y no se pueden modificar. Esto hace que el suministro sea limitado, claro y predecible, haciendo que Bitcoin sea atractivo debido a su escasez y estabilidad. +academy.bitcoin.whyUseBitcoinHeadline=¿Por qué usar Bitcoin? +academy.bitcoin.whyUseBitcoinContent=Las propiedades de Bitcoin lo convierten en un activo único que atrae a diferentes perfiles por distintas razones. Cómo valoras Bitcoin depende de tu perfil y necesidades.\n\nUna de las razones más comunes por las que las personas usan Bitcoin es su capacidad para proteger el valor a lo largo del tiempo. Las monedas nacionales de la mayoría de los países en el mundo pierden valor continuamente con el tiempo debido a la devaluación de la moneda. Esto significa que al mantener tus ahorros en efectivo o en una cuenta bancaria, los estás perdiendo gradualmente porque su valor disminuye con el tiempo. El suministro limitado de Bitcoin evita que esto ocurra, así que a pesar de que en el corto plazo se comporte de manera volátil, es una herramienta poderosa para preservar tu riqueza a largo plazo.\n\nOtra razón por la que la gente usa Bitcoin es para protegerse de las acciones y decisiones de gobiernos e instituciones financieras. Dado que Bitcoin es algo que puedes poseer, enviar y recibir sin necesitar ninguna autorización, el valor almacenado en él no se ve afectado por situaciones como un banco central imprimiendo más unidades de su moneda nacional, un banco comercial decidiendo bloquear tus transferencias por razones arbitrarias, o un gobierno imponiendo confiscaciones a sus ciudadanos. Con Bitcoin, las reglas del juego son transparentes y predecibles, y puedes contar con que la red es justa y trata a todos por igual.\n\nBitcoin también es muy atractivo para aquellos que participan en el comercio internacional y buscan enviar o recibir dinero a otros países o regiones. Bitcoin no entiende de fronteras y funciona igual si lo envías a tu vecino o a alguien en el otro lado del mundo. Dado que realizar pagos a personas o empresas en diferentes regiones del mundo generalmente significa largas esperas, comisiones significativas y engorrosa burocracia, algunas personas eligen Bitcoin como una alternativa simple y conveniente para sus pagos transfronterizos. También significa que puedes usarlo para enviar dinero a países que tu gobierno o banco han decidido bloquear.\n\nFinalmente, algunas personas eligen Bitcoin por su simplicidad y facilidad de uso. Bitcoin presenta muchas ventajas en este sentido con respecto a las monedas tradicionales. Con él, no necesitas lidiar con contratos y largos procesos burocráticos para cosas tan simples como abrir una cuenta. Puedes acceder fácilmente a tu dinero en todos tus dispositivos. Puedes enviarlo a cualquier lugar y a cualquier persona sin la necesidad de diferentes formas de pago (efectivo, transferencias bancarias de diferentes tipos, tarjetas de crédito, etc.). Puedes proteger y asegurar fácilmente tus fondos con el conocimiento adecuado, y disfrutarás de no tener que preocuparte de que alguien te robe la cartera o los detalles de tu tarjeta de crédito.\n\nBitcoin es una gran innovación en el mundo del dinero y los pagos. Es practicamente seguro que alguna de las propiedas de Bitcoin lo haga atractivo y útil para tus necesidades, así que te animamos que aprendas más y te familiarices con él. + + +###################################################### +## Security +###################################################### + +academy.security.subHeadline=Asegurandote de que tú, y solo tú, tienes acceso a tu dinero +academy.security.introContent=Debido a que Bitcoin es bastante diferente de las monedas nacionales en la forma en que funciona, las precauciones que debes tomar también son bastante diferentes a lo que probablemente estás acostumbrado. Este es también un tema muy importante porque, aunque Bitcoin te brinda mucho poder y libertad, también te hace responsable de cuidar tu dinero. Por lo tanto, deberías invertir tiempo y esfuerzo para aprender cómo hacerlo de manera segura.\n\nSi bien la seguridad es un tema complejo, podemos reducirlo a tres objetivos principales: asegurar que otras personas nunca tengan acceso a tus claves privadas, asegurar que tu siempre tengas acceso a tus claves privadas y evitar enviar accidentalmente tus bitcoins a estafadores y otros usuarios deshonestos. +academy.security.securingYourKeysHeadline=Protegiendo tus claves +academy.security.securingYourKeysContent=Primero de todo, debes entender una simple idea: si no tienes tus claves, no tienes tus monedas. Esto significa que, para que realmente poseas tu Bitcoin, debe almacenarse en una cartera donde solo tú poseas las claves. Por lo tanto, mantener un saldo de Bitcoin en entidades como bancos o plataformas de compra-venta centralizadas no es realmente poseer el activo, ya que son esas entidades, y no tú, quienes poseen las claves de tus fondos. Si realmente quieres poseer tu bitcoin, debes almacenarlo en una billetera para la cual solo tú controles las claves.\n\nExisten muchas billeteras de Bitcoin, cada una con su propio diseño y características únicas. Lo que todas tienen en común es que, de alguna manera, en algún lugar, almacenarán tus claves privadas. Estas claves proporcionan acceso a tus fondos. Independientemente de la billetera que utilices, debes asegurarte de que solo tú, o personas en las que confíes plenamente, tengan acceso a estas claves. Si alguien más tiene acceso a ellas, podrán robar tus fondos y no se podrá hacer nada para revertir esta transacción. Por otro lado, perder las claves tú mismo es igual de terrible. Si pierdes tus claves, ya no podrás enviar tus fondos y no hay forma de recuperar el control sobre ellos. Aunque esto pueda sonar aterrador, puedes evitar fácilmente estas situaciones con un poco de aprendizaje y buenas prácticas.\n\nLa mayoría de las cartera de bitcoin te proporcionarán una copia de seguridad de 12 o 24 palabras, comúnmente conocida como la frase mnemotécnica o, simplemente, la semilla. Esta copia de seguridad te permite restaurar tu cartera en cualquier dispositivo, convirtiéndola en el elemento más importante que debes proteger. Generalmente se aconseja almacenar estas copias de seguridad en forma analógica, típicamente escribiéndolas en un trozo de papel o en una lámina de metal pequeña, y tener múltiples copias de ellas. También deberías almacenarlo de manera que tu puedas encontrarlo si lo necesitas, sin que otros puedan acceder a él.\n\nPara cantidades importantes de Bitcoin, es común utilizar dispositivos especializados llamados hardware wallets para almacenar tus claves. Estos dispositivos ofrecen un nivel de seguridad superior al almacenar tus claves en una cartera móvil o en tu portátil, al tiempo que proporcionan una experiencia cómoda para realizar transacciones. Puedes aprender más sobre estos y otros tipos de carteras en la sección de carteras de Bisq Learn.\n\nFinalmente, asegúrate de evitar estrategias de almacenamiento enrevesadas. Un plan de almacenamiento avanzado con muchos detalles y sutilezas mantendrá a los ladrones alejados de tu dinero, pero también existe la posibilidad de que no puedas acceder a tu propia cartera por errores, confusiones o simplemente por olvidar cómo organizaste las copias de seguridad. Intenta encontrar a un equilibrio entre una configuración que sea demasiado simple y que cualquiera pueda romper (como almacenar tu semilla en un archivo de texto plano en el escritorio de tu portátil) y una que sea tan compleja que ni siquiera tú puedas descifrar (como almacenar las palabras de tu frase semilla en 12 libros en 12 ubicaciones diferentes). +academy.security.avoidScamsHeadline=Evita las estafas +academy.security.avoidScamsContent=Otra fuente de problemas y riesgos son las estafas. Las transacciones de Bitcoin son irreversibles, lo que significa que si alguien te engaña para que le envíes Bitcoin y luego se escapa con él, realmente no hay mucho que puedas hacer al respecto. Debido a esto, es común encontrar diferentes tramas y engaños en los que ladrones intentarán convencerte de que les envíes algo de bitcoin. La mayoría de las veces, los estafadores te presentarán alguna maravillosa "oportunidad" para que ganes dinero fácilmente, que tiende a sonar demasiado bueno para ser cierto. Las historias y detalles específicos que rodean estas estafas son extremadamente diversos y creativos, pero el patrón común siempre será el mismo: te ofrecerán unos rendimientos maravillosos, pero primero tendrás que enviar bitcoin por adelantado. Una vez que envíes el bitcoin, probablemente nunca lo volverás a ver. Defenderte de estas estafas es simple: interactúa solo con empresas y personas de reputación y confianza. Si sientes que alguna entidad es sospechosa, pide referencias o simplemente aléjate de ella. Si se te ofrece una oportunidad que parece casi demasiado buena para ser cierta, probablemente lo sea, y deberías ignorarla. + + +###################################################### +## Privacy +###################################################### + +academy.privacy.subHeadline=Tus datos son tuyos. Mantenlo así. +academy.privacy.introContent=Mantener confidencial tu información financiera e identidad es una necesidad común entre los usuarios de Bitcoin. Es natural y lógico no querer que otras personas sepan cuánto dinero tienes o qué transacciones haces sin tu consentimiento. Después de todo, ¿llevarías una camiseta con tu saldo bancario y extractos de tarjeta de crédito mientras caminas por la calle? La privacidad es un tema importante en Bitcoin porque la naturaleza transparente de las transacciones y direcciones hace que los errores en esta área sean especialmente negativos. En esta sección, cubrimos algunos puntos sobre la privacidad en tu camino con Bitcoin. +academy.privacy.whyPrivacyHeadline=Por qué es relevante la privacidad +academy.privacy.whyPrivacyContent=Muchos usuarios valoran la libertad que Bitcoin les brinda para ser dueños de sus fondos y realizar transacciones libremente y sin necesitar el permiso de nadie. Pero sin buenas prácticas de privacidad, estas características de Bitcoin se ven erosionadas. Revelar información sobre ti y tus fondos de Bitcoin te pone en riesgo de varios tipos de ataques de otros que amenazarán tu propia libertad. Reflexionar sobre qué datos estás compartiendo y ser consciente de ello evitará que cometas errores graves que podrías lamentar en el futuro.\n\nEl primer problema obvio al revelar tu identidad y detalles sobre tus fondos es la seguridad personal. Si alguien conoce detalles como cuánto Bitcoin posees, dónde vives y qué tipo de cartera estás usando, podría planear fácilmente un ataque físico contra ti para obtener tus claves. Esto es especialmente tentador en comparación con las cuentas bancarias de monedas nacionales, ya que las transacciones de Bitcoin son irreversibles. Así, si un ladrón logra obligarte a enviar tu Bitcoin a una dirección suya, o simplemente te roba las claves de tu cartera y lo hace él mismo, no habrá forma de cancelar esa transacción y tu Bitcoin ya no será tuyo. Mantener privada tu identidad y detalles financieros evita que te conviertas en objetivo de este tipo de ataques.\n\nOtra buena razón para mantener tus detalles privados es el peligro que representan las regulaciones y acciones hostiles del gobierno. Los gobiernos en todo el mundo han tomado repetidamente en el pasado acciones contra de la propiedad privada de sus ciudadanos de diversas maneras. Un gran ejemplo de esto es el Decreto Ejecutivo 6102, que hizo ilegal para los ciudadanos de EE. UU. poseer oro y causó una confiscación unilateral de oro para millones de ciudadanos estadounidenses. Al igual que con los ladrones regulares, asegurarse de que las entidades gubernamentales y sus trabajadores no tengan información sobre ti y tus fondos te protege en caso de que el gobierno inicie una política contra los propietarios de Bitcoin.\n\nEn general, probablemente no quieres que otros sepan cuánto Bitcoin posees o qué transacciones realizas. Al igual que protegemos nuestras cuentas bancarias con varios métodos para que solo nosotros podamos comprobar nuestros saldos y movimientos, tiene sentido que te asegures de que otros no tengan la capacidad de ver tus transacciones y sus detalles, como cuándo, cuánto o con quién transaccionas. +academy.privacy.giveUpPrivacyHeadline=Cómo perdemos nuestra privacidad +academy.privacy.giveUpPrivacyContent=Existen muchas formas en las que uno puede divulgar voluntaria o accidental detalles personales. En la mayoría de los casos, son fáciles de prevenir con un poco de sentido común, ya que a menudo simplemente somos nosotros quienes damos nuestros datos sin pensar en ello. Algunas filtraciones más sutiles requerirán cierto conocimiento técnico y tiempo. Pero la buena noticia es que, con un esfuerzo mínimo, se pueden evitar los problemas más significativos.\n\nEl campeón claro de los errores de privacidad, tanto por su frecuencia como por su gravedad, es simplemente desvelar tu identidad voluntariamente al comprar o vender Bitcoin. En la actualidad, la mayoría de los exchanges centralizados (empresas como Coinbase, Kraken, Binance, etc.) están sujetos a regulaciones gubernamentales de KYC (KYC significa Know Your Customer, o conoce a tu cliente). Esto significa que los gobiernos obligan a estas empresas a solicitar tu pasaporte, documento de identidad nacional, permiso de conducir o documentos similares para asociar esta información con tu cuenta. Desde el momento en que proporcionas estos datos, cada compra y venta que realices quedará registrada y vinculada a ti. Además, el exchange y las agencias gubernamentales tendrán visibilidad completa de tus saldos en cualquier momento. Incluso si decides sacar tu Bitcoin de estos exchanges y llevarlo a una cartera que custodies tú mismo, estas entidades podrán rastrear a qué direcciones se enviaron tus fondos. Y si esto no es lo suficientemente preocupante, hay otra preocupación a tener en cuenta: si algún hacker accede a las bases de datos de estas empresas, tu información podría filtrarse públicamente en Internet, lo que permitiría a cualquier persona en el mundo conocer toda tu información personal y financiera. Esta es una situación que ha ocurrido muchas veces en los últimos años y sigue dándose con frecuencia, con consecuencias terribles para algunos de los afectados.\n\nOtro aspecto en el que se debe prestar atención es la reutilización de direcciones. Cada vez que proporcionas a alguien una dirección de tu cartera para recibir Bitcoin de esa persona, esa persona sabe que esa dirección te pertenece. Esto significa que, a partir de ese momento, esa persona podría vigilar la dirección y su actividad. Si reutilizas esta dirección repetidamente, todas las personas con las que interactúes podrán ver las diferentes transacciones que pasan por la dirección, incluyendo cuándo ocurren, de dónde vienen y hacia dónde van los fondos, y las cantidades que se están transaccionando. Por lo tanto, es recomendable usar cada dirección una sola vez. La mayoría de las carteras se encargarán de esto automáticamente por ti, pero en cualquier caso, es importante que entiendas por qué es una buena práctica.\n\nFinalmente, depender de los nodos de otras personas para leer los datos de la cadena de bloques significa que el operador del nodo podría potencialmente registrar qué direcciones le interesan a tu cartera. Si manejas cantidades importantes de Bitcoin, vale la pena aprender a usar tu propio nodo y conectar tu cartera a él. O, al menos, ser consciente de a qué nodo te estás conectando y elegir uno de una persona u organización en la que confíes, como un amigo que tenga más experiencia en Bitcoin o una comunidad local de Bitcoin. +academy.privacy.bisqProtectsPrivacyHeadline=Bisq protege tu privacidad +academy.privacy.bisqProtectsPrivacyContent=Bisq te permite comprar y vender Bitcoin directamente con otros usuarios. Esta simple diferencia conlleva una serie de ventajas en cuanto a privacidad en comparación con el uso de plataformas de compra-venta centralizadas. Al utilizar Bisq, proteges tu seguridad y privacidad de gobiernos, empresas y otros terceros hostiles que de otra manera registrarían y usarían tus datos en contra de tus propios intereses.\n\nCuando realizas transacciones en Bisq, solo tú y tu contraparte conocéis los detalles de la transacción. Y aun entre vosotros, la información que necesita ser compartida se minimiza por completo y se limita a los detalles de pago estrictamente necesarios, como, por ejemplo, el número de tu cuenta bancaria si quieres recibir un pago en tu cuenta bancaria. Esto significa que no es necesario proporcionar información como tu documento de identidad, dirección, etc. Además, la capacidad de interactuar con usuarios distintos en cada operación evita que un individuo en concreto acumule datos sobre ti con el tiempo, distribuyendo así tu historial de transacciones entre diferentes contrapartes y evitando que cualquier entidad tenga una visión completa de tu vida financiera. Bisq también te permite recibir cualquier Bitcoin que compres directamente en una dirección de una billetera que controlas, lo que te permite mantener el control de tus fondos en todo momento y distribuirlos entre diferentes direcciones para que ningún usuario pueda observar tu cartera entera.\n\nY recuerda: Bisq es simplemente un programa que funciona en tu ordenador, y se conecta a Internet exclusivamente mediante redes respetuosas con la privacidad como Tor o I2P. Ni siquiera necesitas crear una cuenta pseudónima para usarlo. Gracias a esto, nadie puede saber que eres tú quien está usando Bisq, y tus comunicaciones con otros usuarios no se pueden monitorizar ni son accesibles por terceros. + + +###################################################### +## Wallets +###################################################### + +academy.wallets.subHeadline=Eligiendo las herramientas correctas para manejar y proteger tus bitcoins. +academy.wallets.whatIsAWalletHeadline=¿Qué es una cartera? +academy.wallets.whatIsAWalletContent=Las carteras son tu herramienta para realizar las acciones más fundamentales en Bitcoin: recibirlo, almacenarlo y enviarlo. Dado que Bitcoin es un sistema abierto, cualquiera puede construir una cartera, y existen muchas diferentes. Esto es fantástico porque significa que tienes muchas opciones diferentes en el mercado entre las que puedes elegir, e incluso puedes usar diferentes carteras para cubrir distintas necesidades.\n\nGeneralmente, una cartera es un software que hace varias cosas por ti: lee la blockchain para verificar el saldo de tus direcciones. Puede construir y enviar transacciones cuando quieres pagar a alguien. Y almacena tus claves para que puedas firmar tus transacciones con ellas. Algunas de estas características tienen experiencias diferentes en distintas carteras, y no todas las carteras tienen todas las funcionalidades. Para entender esto mejor, es útil estar familiarizado con las diferentes características que hacen que las carteras sean diferentes entre sí.\n\nEn primer lugar, es importante entender la diferencia entre una cartera caliente y una fría. Una cartera caliente es un software donde las claves que controlan tu bitcoin se almacenan en un dispositivo conectado a Internet. Una cartera fría, por otro lado, es un sistema donde usas un dispositivo para controlar tu saldo y preparar transacciones, y otro distinto para almacenar claves y firmar transacciones, y el segundo nunca se conecta a Internet. Las carteras calientes son típicamente una aplicación en tu teléfono u ordenador. Una cartera fría, en contraste, significa que usas un software en tu teléfono u ordenador que no contiene tus claves, y lo combinas con un segundo dispositivo que contiene las claves y nunca se conecta a Internet. Este segundo dispositivo podría ser una portátil o un teléfono dedicado solo para este proposito, o más comúnmente, una hardware wallet. Las carteras calientes son más fáciles de manejar y usar, pero también son menos seguras. Las carteras frías requieren una organización un poco más compleja y engorrosa, pero ofrecen un grado de seguridad mucho mayor contra hackeos y errores al manejar claves. Cómo manejar los riesgos de administrar tus fondos es una decisión personal, pero generalmente se recomienda usar las carteras calientes igual que la cartera que llevas en el bolsillo habitualmente, y las carteras frías como una caja fuerte en un banco. No llevarías un millón de dólares en tu bolsillo. Y no usarías el contenido de tu caja fuerte para pagar un café.\n\nLos hardware wallets son dispositivos físicos especiales diseñados y fabricados con el único propósito de almacenar tus claves y firmar transacciones con ellas. Ofrecen una forma cómoda de firmar transacciones para gastar tus fondos, al mismo tiempo que almacenan tus claves de una manera segura que evita que otros puedan acceder a ellas. Usar una hardware wallet mejora tu seguridad de forma drástica en comparación con usar una cartera caliente en tu ordenador o móvil. Si estás comenzando en tu viaje por el mundo de Bitcoin, no necesitas tener una hardware wallet desde el primer día, pero probablemente querrás obtener una cuando comiences a acumular una cantidad de bitcoin que te dolería perder. Hay much hardware wallets en el mercado, con los precios habituales alrededor de los 100$.\n\nY una última idea: una cuenta en una plataforma de compra-venta centralizada no es una cartera. Dado que no controlas las claves, estás confiando en que la plataforma realmente tenga tu bitcoin. Si, por cualquier razón, no te lo envían cuando quieras retirarlo, no hay manera de que puedas tomar posesión de él. Recuerda: si no son tus claves, no son tus monedas. +academy.wallets.howToPickHeadline=¿Cómo elegir una cartera? +academy.wallets.howToPickContent=Elegir la cartera más adecuada para ti es una decisión que depende de muchos factores, como cómo vas a usar Bitcoin, qué cantidades vas a manejar, o qué dispositivos puedes usar. Sin embargo, hay algunas recomendaciones generales que puedes seguir y carteras específicas que tienen una buena reputación.\n\nEl primer y más importante consejo es elegir una cartera de código abierto. Asegurarte de que el código de tu cartera sea verificable es primordial. Puedes aprender más sobre esto en la sección de Código Abierto de Bisq Learn. Otra recomendación importante es elegir una cartera que no admita otras criptomonedas además de Bitcoin. Las carteras que manejan varias criptomonedas usan código más complejo para trabajar con las diferentes monedas admitidas, lo que introduce mayores riesgos de seguridad. Por lo tanto, es mejor elegir una cartera exclusivamente de Bitcoin para tu dinero. Finalmente, trata de buscar carteras que lleven tiempo en el mercado, tengan audiencias grandes y gozen de buena reputación. Es mejor dejar las carteras novedosas e innovadoras para uso avanzado o experimentos.\n\nSi tienes pensado usar tu cartera en tu móvil, te aconsejamos investigar una de las siguientes: Bluewallet, Blockstream Green o Nunchuk. Por otro parte, si quieres usar tu ordenador, sugeriríamos usar uno de los siguientes: Sparrow, Bluewallet, Electrum, Blockstream Green o Nunchuk. Todas ellas son adecuadas para principiantes. Puedes probar varias para encontrar cuál te gusta más, o incluso usar múltiples simultáneamente si quieres. A medida que adquieras más experiencia y conocimiento, es posible que comiences a desarrollar preferencias dependiendo de las características más avanzadas que hacen que estas carteras sean un poco diferentes entre sí.\n\nUna vez que tengas suficientes fondos para tomarte la seguridad más en serio, probablemente te salga a cuenta adquirir una hardware wallet. Con una hardware wallet, podrás almacenar tus claves y firmar transacciones desde ella, mientras usas programas como Sparrow, Bluewallet o Nunchuk para consultar tus saldos y preparar transacciones. En el mundo de las hardware wallets, la mayoría de los mismos consejos son relevantes: elige las que tengan diseños transparentes y públicos, que solo admitan Bitcoin y que tengan buena reputación y trayectoria. Algunas marcas conocidas son Coldcard, Bitbox, Trezor o Foundation.\n\nEl mundo de las carteras es rico y diverso, lo cual genial y confuso a partes iguales. Es normal sentirse un poco abrumado al principio. Si estás comenzando, te aconsejamos investigar un poco, probar algunas de las opciones que hemos compartido contigo y, una vez que encuentres una con la que te sientas cómodo, quédate con ella. A medida que sigas aprendiendo más sobre Bitcoin, siempre puedes explorar nuevas opciones más avanzadas y cambiar a cualquier otra cartera, o usar varias a la vez. + + +###################################################### +## Free Open Source Software +###################################################### + +academy.foss.subHeadline=Aprende sobre código abierto y cómo potencia Bitcoin y Bisq +academy.foss.bitcoinAndFossHeadline=Bitcoin y el software de código abierto +academy.foss.bitcoinAndFossContent=El software de código abierto es aquel cuyo código es públicamente accesible y cualquier persona puede leer, copiar y modificar ese código como le apetezca. Esto contrasta con el software de código cerrado o propietario, donde el autor original decide mantener el código privado y nadie más tiene acceso o permiso para consultarlo. Aunque esto pueda parecer un simple tema técnico, es de tu interés entender las implicaciones del software de código abierto en tu viaje por el mundo de Bitcoin. Profundicemos en ello.\n\nEl mundo de Bitcoin está profundamente influenciado y relacionado con el software de código abierto. El software de Bitcoin ha sido de código abierto desde el primer día. Bisq también es un proyecto de código abierto. Muchas otras tecnologías relacionadas, como clientes de Lightning, servicios de coinjoin o firmware de dispositivos de minería, suelen construirse como proyectos de código abierto. Muchas carteras también son de código abierto, y como comentamos en la sección de carteras de Bisq Learn, recomendamos encarecidamente que elijas carteras que sean de código abierto.\n\n¿Por qué? El software de código cerrado suele ser construido y mantenido en privado por compañías e individuos que quieren cobrar a otros por licencias y mantener el control total del proyecto. En cambio, en el espacio de Bitcoin, esto rara vez es el caso. Bitcoin es un sistema abierto y sin restricciones por naturaleza, y el código es una representación de esto. Cualquiera puede ver el código, modificar lo, compartir copias de su propia versión con otros y, en resumen, hacer lo que quiera con él. Bisq también es un proyecto de código abierto donde todo el mundo es bienvenido para participar, expandir la aplicación y hacer mejoras de diferentes maneras. +academy.foss.openSourceBenefitsHeadline=Cómo el código abierto te beneficia +academy.foss.openSourceBenefitsContent=Puede que pienses que, como no eres un desarrollador de software, si el código de algún software es público o no tiene poca importancia para ti. Nada más lejos de la realidad. Incluso si no tienes pensado leer o modificar el código de las aplicaciones que usas, tu experiencia con ellas se verá profundamente afectada por si el código es de fuente abierta o cerrada. Esto es aún más crítico cuando hablamos del software que gestionará tu vida financiera y del cual dependerá tu capacidad para ahorrar, recibir y enviar dinero. Generalmente, usar software de código abierto será mejor para ti que usar equivalentes de código cerrado. Veamos algunas razones importantes que hacen que esto sea importante para ti.\n\nUna razón muy importante para elegir software de código abierto es la seguridad. Dado que el software de código abierto puede ser leído por cualquiera, los hackers y actores deshonestos intentan regularmente encontrar errores y fallos de seguridad en él. Podrías pensar que esto es peligroso, ¡pero en realidad es al revés! Ya que el código está abierto a todos, cualquiera puede buscar problemas de seguridad y divulgarlos, arreglarlos o aprovecharse de ellos maliciosamente. Colectivamente, la comunidad de usuarios y desarrolladores alrededor del proyecto podrá detectar y corregir la mayoría de los errores rápidamente, a menudo incluso antes de que se lancen. Y si alguien usa este error de forma maliciosa para explotar el software, no pasará mucho tiempo hasta que se detecte y se le ponga solución. En el software de código cerrado, solo el pequeño equipo comercial que mantiene el proyecto está revisando el código, lo que se traduce en una mayor probabilidad de que los errores pasen desapercibidos. Más ojos, menos errores. Además, las empresas también tienen un incentivo para no revelar el hecho de que sus productos de código cerrado tienen problemas de seguridad, lo que lleva a que muchos errores y hackeos se mantengan en secreto en lugar de divulgados. Finalmente, ya que en proyectos de código cerrado solo el equipo de desarrollo puede ver el código, ¿cómo puedes tú o cualquier otra persona estar completamente segura de que el software es seguro? Como dice un dicho común en la cultura de Bitcoin: no confíes, verifica. En general, el software de código abierto conduce a resultados mucho más seguros y robustos que el software de código cerrado.\n\nOtra gran razón para elegir software de código abierto en lugar de cerrado es la continuidad a largo plazo del primero. El código que es público no depende de ninguna entidad o individuo para ser mantenido a lo largo del tiempo. Si el equipo original detrás de un proyecto desaparece en algún momento, otros pueden tomar el relevo y continuar manteniéndolo y evolucionándolo. El mayor ejemplo de esto es el propio Bitcoin: aunque su creador pseudónimo, Satoshi Nakamoto, desapareció hace más de diez años, el proyecto ha seguido creciendo y prosperando más allá de todas las expectativas. Por lo tanto, cada vez que eliges software de código abierto sobre cerrado, estás reduciendo drásticamente las posibilidades de que alguna compañía o desarrollador te deje en la estacada con un software sin mantenimiento que se marchita y queda obsoleto.\n\nFinalmente, los proyectos de código abierto y ampliamente usados, como Bitcoin, Bisq o monederos como Electrum, tienden a convertirse en productos de alta calidad ya que atraen el mejor talento. La naturaleza abierta de los proyectos permite que cualquiera colabore, y muchos desarrolladores excelentes en el espacio prefieren colaborar construyendo sobre un gran proyecto en lugar de iniciar reinventar la rueda desde cero. Con el tiempo, las contribuciones acumulativas de estos individuos conducen a resultados impresionantes que frecuentemente eclipsan lo que la mayoría de las empresas, incluso las bien capitalizadas, podrían lograr.\n\nEn resumen, elegir opciones de código abierto para tus herramientas de Bitcoin viene con un gran conjunto de ventajas que te ayudan a disfrutar de productos seguros, útiles y de alta calidad. Esperamos haber despertado tu curiosidad sobre la naturaleza del código que utilizas en tu vida diaria y que tomes decisiones informadas sobre el software que ejecutas. diff --git a/shared/domain/src/commonMain/resources/mobile/academy_it.properties b/shared/domain/src/commonMain/resources/mobile/academy_it.properties new file mode 100644 index 00000000..b349bb5c --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/academy_it.properties @@ -0,0 +1,94 @@ +###################################################### +## Academy (Learn section) +###################################################### + +academy.overview=Panoramica + +academy.overview.subHeadline=Guida per il Viaggiatore della Cryptoverse +academy.overview.content=I membri della comunità di Bisq e Bitcoin forniscono contenuti per imparare sullo spazio Bitcoin e ti aiutano a filtrare il segnale dal rumore. +academy.overview.selectButton=Scopri di più + +academy.overview.bisq=Bisq +academy.overview.bisq.content=Scopri di più su Bisq, il DAO di Bisq. E scopri perché Bisq è importante per la tua sicurezza, privacy e per mantenere Bitcoin allineato ai suoi valori fondamentali. +academy.overview.bitcoin=Bitcoin +academy.overview.bitcoin.content=Fai un tuffo profondo nella tana del coniglio di Satoshi. Scopri i concetti dietro il blockchain, il mining e cosa rende Bitcoin unico. +academy.overview.security=Sicurezza +academy.overview.security.content=Impara i concetti di sicurezza legati alla gestione dei tuoi fondi Bitcoin. Assicurati di comprendere le migliori pratiche per mantenere al sicuro i tuoi Bitcoin. +academy.overview.privacy=Privacy +academy.overview.privacy.content=Perché è importante la privacy? Quali sono i rischi quando le aziende raccolgono i tuoi dati? Perché la privacy è un requisito per una società liberale e per la sicurezza? +academy.overview.wallets=Portafogli +academy.overview.wallets.content=Vuoi scoprire quale portafoglio è il migliore per le tue esigenze? Leggi qui le migliori opzioni per i portafogli. +academy.overview.foss=Open source +academy.overview.foss.content=Bisq è un software gratuito e open source (FOSS) basato sulla licenza GPL. Perché è importante il FOSS? Interessato a contribuire? + + +###################################################### +## Bisq +###################################################### + +academy.bisq.subHeadline=Bisq è software gratuito e open source per lo scambio di Bitcoin con valute fiat o altre criptovalute in modo decentralizzato e con un livello di fiducia ridotto al minimo. +academy.bisq.exchangeDecentralizedHeadline=Scambio, decentralizzato +academy.bisq.exchangeDecentralizedContent=Bisq è un'applicazione di scambio dove è possibile acquistare e vendere Bitcoin per valute nazionali o altre criptovalute. A differenza della maggior parte delle alternative di scambio, Bisq è sia decentralizzato che peer-to-peer.\n\nÈ decentralizzato perché non dipende né è controllato da alcuna singola azienda, team o governo. La decentralizzazione rende Bisq una rete resiliente: proprio come Bitcoin, esiste grazie agli utenti come te. Poiché non c'è un singolo elemento su cui tutto si basa, è significativamente difficile per chiunque fermare o danneggiare la rete. È peer-to-peer perché ogni scambio che effettui è abbinato a un altro utente proprio come te. Questo ti aiuta a proteggere la tua privacy da elementi centralizzati come governi e istituzioni finanziarie tradizionali. Inoltre, rende Bisq senza autorizzazioni: non hai bisogno dell'autorizzazione di nessuno per usarlo, e nessuno può impedirti di farlo.\n\nAttualmente esistono due applicazioni: Bisq 1 e Bisq 2. Bisq 2 è l'applicazione che stai leggendo. Ti consigliamo di familiarizzare con Bisq 2 prima di cercare di saperne di più su Bisq 1. +academy.bisq.whyBisqHeadline=Perché Bisq +academy.bisq.whyBisqContent=Per molti utenti, Bisq è il metodo preferito per acquistare o vendere Bitcoin in cambio di valute nazionali. Questo perché la natura di Bisq porta a un'esperienza completamente diversa rispetto agli Exchange Centralizzati.\n\nGli utenti apprezzano anche l'attenzione alla privacy di Bisq. Non è necessario fornire alcun tipo di informazione personale per utilizzare Bisq. Ogni volta che fai trading, devi condividere solo i dettagli del pagamento con il tuo partner di trading. Nessun altro ha accesso a questi dati, e non c'è un database centrale in cui tutte le tue informazioni e transazioni verranno archiviate per anni o decenni.\n\nBisq consente anche agli utenti di superare eventuali limitazioni imposte arbitrariamente dai loro governi locali o istituzioni finanziarie. Esempi di questo possono essere governi che dichiarano illegale il possesso o il trading di Bitcoin, o banche che vietano ai clienti di inviare i propri soldi a istituti di scambio. Gli utenti in queste situazioni trovano in Bisq un modo per aggirare l'esclusione dal sistema finanziario tradizionale per qualsiasi motivo.\n\nInfine, Bisq è un modo sicuro per scambiare Bitcoin e valute nazionali. I protocolli di trading esistenti e i sistemi di reputazione impediscono a soggetti malintenzionati di rubare i tuoi fondi. I mediatori sono sempre disponibili per supportarti se un altro utente non si comporta correttamente e interverranno se necessario per trovare una soluzione per il tuo caso. Il risultato: gli utenti di Bisq possono scambiare tranquillamente con gli altri senza preoccuparsi di essere truffati e di perdere i propri fondi. +academy.bisq.tradeSafelyHeadline=Scambia in sicurezza +academy.bisq.tradeSafelyContent=Scambiare i tuoi Bitcoin e valute nazionali con altri utenti offre grandi vantaggi come non dipendere da aziende o proteggere la tua privacy. Ma potresti chiederti: come posso sapere se l'utente con cui sto facendo trading è onesto? Non rischierò di essere truffato? Queste sono preoccupazioni valide che dovresti sempre tenere a mente e che Bisq affronta in diversi modi per permettere uno scambio sicuro.\n\nI diversi protocolli di scambio (puoi pensare a un protocollo come le regole che tu e il tuo interlocutore dovrete seguire) minimizzano il rischio che un attore possa truffare il suo interlocutore durante uno scambio. Di solito, esiste un compromesso tra sicurezza e comodità: alcuni protocolli sono più robusti, altri sono più comodi e veloci. Sta a te decidere quale protocollo utilizzare in ogni scambio, in base alle tue preferenze e necessità, così come all'importo scambiato. Protocolli come Bisq Easy sono consigliati per piccole somme di denaro, mentre protocolli più robusti e strutturati come Bisq MuSig sono consigliabili per importi maggiori.\n\nSe il tuo scambio finisce in un conflitto con il tuo interlocutore di scambio, o se l'interlocutore semplicemente scompare e diventa non reattivo, non sarai lasciato solo. Mediatori e arbitrati sono sempre disponibili per consigliare e fornire soluzioni in queste situazioni. Questi ruoli osserveranno ogni caso, proporranno soluzioni amichevoli tra i trader e, potenzialmente, prenderanno decisioni finali se non si raggiungono accordi. Se hai agito onestamente e seguito le regole, gli esiti saranno a tuo favore e non perderai mai i tuoi fondi.\n\nIn sintesi, Bisq è progettato per minimizzare la necessità di fidarsi di altri utenti e per scoraggiare truffe e altri comportamenti scorretti. Questo si traduce in pochissimi scambi che presentano qualsiasi tipo di conflitto, e quelli che lo fanno saranno sempre risolti in modo ragionevole attraverso la mediazione e/o l'arbitrato. Il risultato: fare trading su Bisq è un'esperienza sicura e fluida. + + +###################################################### +## Bitcoin +###################################################### + +academy.bitcoin.subHeadline=Una moneta elettronica peer-to-peer che consente pagamenti online da inviare direttamente senza intermediari. +academy.bitcoin.whatIsBitcoinHeadline=Cos'è Bitcoin +academy.bitcoin.whatIsBitcoinContent=Bitcoin è la più grande e popolare criptovaluta al mondo. È una forma digitale di denaro che consente a chiunque di inviare valore ad altre persone senza la necessità di intermediari. È iniziato nel 2009 ed è cresciuto enormemente da allora, guadagnando adozione in tutto il mondo grazie alle sue proprietà uniche e attraenti.\n\nBitcoin differisce da tutte le valute nazionali sotto diversi aspetti. Bitcoin non è controllato o emesso da nessun governo o istituzione. È decentralizzato ed esiste solo grazie a migliaia di persone in tutto il mondo che lo utilizzano. Questo lo rende denaro neutrale, dove nessuno è in una posizione privilegiata che consente abusi. Questo significa anche che sei libero di utilizzare Bitcoin senza richiedere alcun tipo di permesso, e nessuno nel sistema ha più potere di te. È un sistema aperto che accoglie tutti. Un'altra proprietà importante è che puoi detenere Bitcoin in autonomia. In altre parole, puoi possederlo da solo senza dipendere da nessun'altra azienda o entità. Paragonandolo alle valute tradizionali, è più simile a contanti nel tuo portafoglio (che controlli completamente) che a un saldo in un conto bancario (dove sei soggetto alle condizioni e ai desideri della banca). Per questo motivo, sei sempre libero di inviare Bitcoin: non hai bisogno dell'approvazione di nessuno per farlo, e le tue transazioni non possono essere fermate o annullate. Un terzo aspetto interessante è che l'offerta di Bitcoin è limitata a un massimo di 21 milioni. Ciò significa che il valore di ciascun bitcoin, a differenza del valore di ciascun dollaro, ad esempio, non può essere svalutato creandone di più. Bitcoin viene creato attraverso un costoso processo chiamato mining, e sia il programma di emissione sia la quantità massima che può essere creata sono strettamente definiti e non possono essere modificati. Questo rende l'offerta limitata, certa e prevedibile, rendendo Bitcoin attraente per la sua scarsità e solidità. +academy.bitcoin.whyUseBitcoinHeadline=Perché usare Bitcoin +academy.bitcoin.whyUseBitcoinContent=Le proprietà di Bitcoin lo rendono un asset unico che attrae persone diverse per motivi diversi. Come Bitcoin ti colpisce dipende dal tuo profilo e dalle tue esigenze.\n\nUno dei motivi più comuni per cui le persone usano Bitcoin è la sua capacità di proteggere il valore nel tempo. Le valute nazionali della maggior parte dei paesi del mondo perdono valore continuamente nel tempo a causa della svalutazione della valuta. Ciò significa che detenendo i tuoi risparmi in contanti o in un conto bancario, li stai gradualmente perdendo perché il loro valore diminuisce nel tempo. L'offerta limitata di Bitcoin impedisce che ciò accada, quindi anche se si comporta in modo volatile nel breve termine, è uno strumento potente per preservare la tua ricchezza nel lungo periodo.\n\nUn altro motivo per gli individui di utilizzare Bitcoin è proteggersi dalle azioni e dalle decisioni dei governi e delle istituzioni finanziarie. Poiché Bitcoin è qualcosa che puoi possedere, inviare e ricevere in modo senza autorizzazione, il valore conservato in esso non è influenzato da situazioni come una banca centrale che stampa più unità della propria valuta nazionale, una banca che decide di bloccare i tuoi trasferimenti per motivi arbitrari o un governo che impone confische alla sua popolazione. Con Bitcoin, le regole del gioco sono ben conosciute e prevedibili, e puoi contare sul fatto che la rete sia equa e trattare tutti alla stessa stregua.\n\nBitcoin è anche molto attraente per coloro che si impegnano nel commercio internazionale e cercano di inviare o ricevere denaro in altri paesi o regioni. Bitcoin non ha concetto di confini e funziona allo stesso modo che tu invii qualcosa al tuo vicino o a qualcuno dall'altra parte del mondo. Poiché effettuare pagamenti a persone o aziende in diverse regioni del mondo di solito comporta lunghi tempi di attesa, tasse significative e complicazioni burocratiche, alcune persone scelgono Bitcoin come alternativa semplice e conveniente per i loro pagamenti transfrontalieri. Significa anche che puoi usarlo per inviare denaro a paesi che il tuo governo o la tua banca hanno deciso di bloccare.\n\nInfine, alcune persone scelgono Bitcoin per la sua semplicità e convenienza. Bitcoin presenta molti vantaggi in questo senso rispetto alle valute tradizionali. Con esso, non devi affrontare contratti e lunghi processi burocratici per fare cose semplici come aprire un conto. Puoi facilmente accedere ai tuoi soldi su tutti i tuoi dispositivi. Puoi inviarlo ovunque e a chiunque senza bisogno di diverse forme di pagamento (contanti, bonifici bancari di diverso tipo, carte di credito, ecc.). Puoi facilmente proteggere e sicurizzare i tuoi fondi con la giusta conoscenza, e non dovrai preoccuparti di qualcuno che ruba il tuo portafoglio o i dettagli della tua carta di credito.\n\nBitcoin è un enorme e innovativo passo avanti nel mondo del denaro e dei pagamenti. C'è quasi certamente qualche motivo per cui Bitcoin può essere attraente e utile per le tue esigenze, quindi ti incoraggiamo a saperne di più e a familiarizzare con esso. + + +###################################################### +## Security +###################################################### + +academy.security.subHeadline=Garantire che tu, e solo tu, abbia sempre accesso ai tuoi fondi +academy.security.introContent=Poiché Bitcoin è abbastanza diverso dalle valute nazionali nel modo in cui funziona, le precauzioni che devi prendere sono anche abbastanza diverse da quelle a cui probabilmente sei abituato. Questo è anche un argomento molto importante perché, sebbene Bitcoin ti fornisca molta potenza e libertà, ti rende anche responsabile della cura dei tuoi fondi. Pertanto, dovresti investire un po' di tempo e sforzi per imparare come farlo in modo sicuro.\n\nAnche se la sicurezza è un argomento complesso, possiamo ridurre le cose a tre obiettivi principali: garantire che altre persone non abbiano mai accesso alle tue chiavi private, garantire che tu abbia sempre accesso alle tue chiavi private e evitare di inviare accidentalmente i tuoi bitcoin a truffatori e ad altri utenti non fidati. +academy.security.securingYourKeysHeadline=Proteggere le tue chiavi +academy.security.securingYourKeysContent=Innanzitutto, devi capire un'idea semplice: non le tue chiavi, non i tuoi fondi. Questo significa che, affinché tu possa veramente possedere i tuoi Bitcoin, dovrebbero essere conservati in un portafoglio in cui solo tu possiedi le chiavi. Pertanto, detenere un saldo di Bitcoin in entità come banche o scambi centralizzati non è realmente possedere l'asset poiché sono quelle entità, e non tu, a detenere le chiavi dei tuoi fondi. Se vuoi veramente possedere i tuoi bitcoin, devi conservarli in un portafoglio di cui solo tu controlli le chiavi.\n\nCi sono molti portafogli di Bitcoin là fuori, ognuno con il proprio design e le proprie funzionalità uniche. Quello che tutti hanno in comune è che, in qualche modo, da qualche parte, conservano le tue chiavi private. Queste chiavi forniscono l'accesso ai tuoi fondi. Qualsiasi portafoglio tu usi, devi assicurarti che solo tu, o persone di cui ti fidi pienamente, abbiano accesso a queste chiavi. Se qualcun altro ha accesso ad esse, potrà rubarti i fondi e non si potrà fare nulla per annullare questa transazione. D'altra parte, perdere le chiavi da solo è altrettanto terribile. Se perdi le tue chiavi, non sarai in grado di inviare più i tuoi fondi, e non c'è modo di riprendere il controllo su di essi. Anche se questo potrebbe sembrare spaventoso, puoi facilmente evitare queste situazioni con un po' di apprendimento e buone pratiche.\n\nLa maggior parte dei portafogli Bitcoin ti fornirà un backup di 12 o 24 parole, comunemente noto come frase mnemonica o semplicemente seedphrase. Questa frase di backup ti consente di ripristinare il tuo portafoglio su qualsiasi dispositivo, rendendola l'elemento più importante da proteggere. In genere è consigliato conservare questi backup in forma analogica, tipicamente scrivendoli su un pezzo di carta o su un piccolo foglio metallico, e averne più copie. Dovresti anche conservarli in modo che tu possa trovarli se ne hai bisogno, ma nessun altro può accedervi.\n\nPer grandi quantità di Bitcoin, è consueto utilizzare dispositivi specializzati chiamati Hardware Wallet per conservare le tue chiavi. Questi dispositivi offrono un livello superiore di sicurezza rispetto alla conservazione delle tue chiavi in un portafoglio su smartphone o laptop, offrendo nel contempo un'esperienza conveniente per quanto riguarda le transazioni. Puoi saperne di più su questi e altri tipi di portafogli nella sezione Wallets della sezione Learn di Bisq.\n\nInfine, assicurati di evitare schemi di conservazione eccessivamente complicati. Un piano di conservazione avanzato con molti dettagli e sottilità terrà i ladri lontani dai tuoi fondi, ma c'è anche una significativa possibilità che potresti non essere in grado di accedere al tuo portafoglio a causa di errori, confusione o semplicemente dimenticando come hai organizzato i backup. Cerca un equilibrio tra una configurazione troppo semplice che chiunque potrebbe facilmente rompere (come conservare la tua frase seed in un file di testo sul desktop del tuo laptop) e una così complessa che nemmeno tu puoi decifrare (come memorizzare le parole della tua frase seed in 12 libri in 12 luoghi diversi). +academy.security.avoidScamsHeadline=Evitare le truffe +academy.security.avoidScamsContent=Un'altra fonte di problemi e rischi sono le truffe. Le transazioni di Bitcoin sono irreversibili, il che significa che se qualcuno ti convince a inviare loro qualche Bitcoin e poi scappa con esso, non c'è davvero molto che puoi fare al riguardo. A causa di questo, è comune incontrare diversi schemi in cui le persone cercheranno di convincerti a inviare loro un po' di bitcoin. La maggior parte delle volte, gli imbroglioni ti presenteranno una meravigliosa "opportunità" per guadagnare facilmente denaro, che tende a sembrare troppo bello per essere vero. Le storie specifiche e i dettagli che circondano queste truffe sono estremamente diversi e creativi, ma il modello comune sembrerà sempre lo stesso: ti verrà offerto qualche meraviglioso ritorno, ma prima dovrai inviare bitcoin in anticipo. Una volta inviato il bitcoin, probabilmente non lo vedrai mai tornare indietro. Difenderti da queste truffe è semplice: interagisci solo con aziende e persone affidabili e di fiducia. Se senti che un'entità è losca, chiedi referenze o semplicemente evitala. Se ti viene offerta un'opportunità che sembra quasi troppo bella per essere vera, probabilmente lo è, e dovresti starne alla larga. + + +###################################################### +## Privacy +###################################################### + +academy.privacy.subHeadline=I tuoi dati sono tuoi. Mantienili così. +academy.privacy.introContent=Mantenere riservate le informazioni finanziarie e l'identità è una esigenza comune tra gli utenti di Bitcoin. È naturale e logico non volere che altre persone conoscano i tuoi fondi e le tue transazioni senza il tuo consenso. Dopotutto, non indosseresti una maglietta con il saldo del tuo conto bancario e i rapporti delle carte di credito mentre cammini per la strada, vero? La privacy è un argomento importante in Bitcoin perché la natura trasparente delle transazioni e degli indirizzi Bitcoin rende particolarmente costosi gli errori in questo ambito. In questa sezione, affrontiamo alcuni punti sulla privacy nel tuo percorso Bitcoin. +academy.privacy.whyPrivacyHeadline=Perché la privacy è rilevante +academy.privacy.whyPrivacyContent=Molti utenti apprezzano la libertà che Bitcoin offre loro di possedere i propri beni e di effettuare transazioni liberamente e senza permessi con altri. Ma senza buone pratiche di privacy, queste caratteristiche di Bitcoin vengono seriamente erose. Divulgare informazioni su di te e sui tuoi fondi in Bitcoin ti metterà a rischio di vari tipi di attacchi da parte di altri che limiteranno la tua stessa libertà. Riflettere sui dati che stai condividendo ed essere consapevoli di ciò ti impedirà di commettere costosi errori di cui potresti pentirti in futuro.\n\nIl primo problema ovvio nel rivelare la tua identità e dettagli sui tuoi fondi è la sicurezza personale. Se qualcuno conosce dettagli come quanti bitcoin possiedi, dove vivi e che tipo di portafoglio utilizzi, potrebbe facilmente pianificare un attacco fisico contro di te per impadronirsi delle tue chiavi. Questo è particolarmente allettante in confronto ai conti bancari in valuta nazionale, poiché le transazioni in Bitcoin sono irreversibili. Così, se un ladro riesce a costringerti a inviare i tuoi bitcoin a un indirizzo di sua proprietà, o semplicemente ruba le chiavi del tuo portafoglio e lo fa da solo, non ci sarà modo di annullare quella transazione e i tuoi bitcoin non saranno più tuoi. Mantenere privati la tua identità e i dettagli finanziari ti impedisce di diventare un bersaglio di questo tipo di attacco.\n\nUn'altra buona ragione per mantenere privati i tuoi dettagli è il pericolo rappresentato dalle ostili regolamentazioni e azioni governative. I governi di tutto il mondo hanno ripetutamente intrapreso azioni contro la proprietà privata dei loro cittadini in vari modi. Un grande esempio di ciò è l'Ordine Esecutivo 6102, che rendeva illegale per i cittadini statunitensi possedere oro e causava una confisca unilaterale dell'oro per milioni di cittadini statunitensi. Proprio come con i ladri comuni, garantire che entità e personale governativo non detengano informazioni su di te e sui tuoi fondi ti protegge nel caso in cui il governo inizi una politica negativa contro i proprietari di Bitcoin.\n\nIn generale, probabilmente non vuoi semplicemente che altri sappiano quanti Bitcoin possiedi o quali transazioni effettui. Proprio come proteggiamo i nostri conti bancari con vari metodi in modo che solo noi possiamo controllare i nostri saldi e movimenti, ha senso garantire che altri non abbiano la possibilità di visualizzare le transazioni e i loro dettagli, come quando, quanto o con chi effettuiamo transazioni. +academy.privacy.giveUpPrivacyHeadline=Come rinunciamo alla nostra privacy +academy.privacy.giveUpPrivacyContent= Ci sono molti modi in cui si possono rivelare volontariamente o accidentalmente dettagli personali. Nella maggior parte dei casi, questi sono facili da prevenire con un po' di buon senso, poiché spesso diamo semplicemente le nostre informazioni senza pensarci. Alcuni leak più sottili richiederanno conoscenze tecniche e tempo. Ma la buona notizia è che, con uno sforzo minimo, è possibile evitare i problemi più significativi.\n\nIl chiaro campione degli errori di privacy, sia per la frequenza che per la gravità, è semplicemente fornire il proprio documento d'identità volontariamente quando si acquista o si vende Bitcoin. Oggi, la maggior parte degli scambi centralizzati (aziende come Coinbase, Kraken, Binance, ecc.) è soggetta a regolamenti governativi KYC (KYC sta per Know Your Customer). Questo significa che i governi costringono queste aziende a richiedere il tuo passaporto, carta d'identità nazionale, patente di guida o documenti simili in modo che queste informazioni possano essere associate al tuo account. Dal momento in cui le fornisci, ogni acquisto e vendita che fai sarà registrato e collegato a te. Inoltre, l'exchange e le agenzie governative avranno piena visibilità dei tuoi saldi in qualsiasi momento. Anche se decidi di prelevare i tuoi Bitcoin da questi exchange e portarli in un portafoglio che custodisci tu, queste parti saranno in grado di tracciare a quali indirizzi sono stati inviati i tuoi fondi. E se questo non fosse abbastanza preoccupante, c'è un'altra questione da tenere a mente: se un hacker accede ai database di queste aziende, le tue informazioni potrebbero essere divulgate pubblicamente su Internet, consentendo a chiunque nel mondo di conoscere tutte le tue informazioni personali e finanziarie archiviate. Questa è una situazione che è accaduta molte volte negli ultimi anni, con conseguenze terribili per alcuni dei clienti colpiti dagli exchange.\n\nUn altro aspetto a cui prestare attenzione è il riutilizzo degli indirizzi. Ogni volta che fornisci a qualcuno un indirizzo del tuo portafoglio per ricevere bitcoin da lui, questa persona scopre che quell'indirizzo appartiene a te. Ciò significa che, da quel momento in poi, la persona potrebbe monitorare l'indirizzo e tutta la sua attività. Se riutilizzi ripetutamente questo indirizzo, ogni persona con cui interagisci sarà in grado di vedere le diverse transazioni che passano attraverso l'indirizzo, comprese le tempistiche, da dove provengono i fondi e dove vengono inviati, e gli importi delle transazioni. Pertanto, si consiglia di utilizzare gli indirizzi per ricevere bitcoin solo una volta. La maggior parte dei portafogli si occupa automaticamente di questo, ma è comunque importante capire perché questa sia una buona pratica.\n\nInfine, fare affidamento su nodi di altre persone per leggere i dati della blockchain significa che chi gestisce il nodo potrebbe potenzialmente monitorare a quali indirizzi è interessato il tuo portafoglio. Quando si gestiscono importi significativi di Bitcoin, conviene imparare a gestire il proprio nodo e collegare il proprio portafoglio ad esso. Oppure, almeno, essere consapevoli di quale nodo ci si sta connettendo e scegliere uno da una persona o organizzazione di fiducia, come un amico più esperto in Bitcoin o una comunità Bitcoin locale. +academy.privacy.bisqProtectsPrivacyHeadline=Bisq aiuta a proteggere la tua privacy +academy.privacy.bisqProtectsPrivacyContent=Bisq ti permette di comprare e vendere Bitcoin con altri utenti. Questa semplice differenza offre numerosi vantaggi per la privacy rispetto all'uso di scambi centralizzati. Utilizzando Bisq, proteggi la tua sicurezza e privacy da governi, aziende e altre parti ostili che altrimenti registrerebbero e userebbero i tuoi dati contro i tuoi interessi.\n\nQuando effettui transazioni in Bisq, solo tu e il tuo interlocutore conoscete i dettagli della transazione. E anche tra voi due, le informazioni da condividere sono ridotte al minimo e limitate ai dettagli di pagamento strettamente necessari, come ad esempio il numero del conto bancario se desideri ricevere un pagamento fiat sul tuo conto bancario. Questo significa che non è necessario fornire informazioni come il tuo ID, indirizzo, ecc. Inoltre, la possibilità di interagire con diversi utenti in ogni scambio impedisce a un singolo individuo di accumulare dati su di te nel tempo, distribuendo così la tua cronologia di transazioni tra diverse controparti e impedendo a una singola entità di avere una visione completa della tua vita finanziaria. Bisq ti permette anche di ricevere qualsiasi bitcoin acquistato direttamente in un indirizzo di un portafoglio che controlli, permettendoti di mantenere il controllo dei tuoi fondi in ogni momento e di distribuirli tra diversi indirizzi in modo che nessun utente possa monitorare l'intero tuo portafoglio.\n\nE ricorda: Bisq è solo un software che funziona sul tuo computer e si connette a Internet solo tramite reti rispettose della privacy come Tor e I2P. Non devi nemmeno registrarti da nessuna parte in modo pseudonimo. Grazie a ciò, nessuno può nemmeno sapere che stai usando Bisq, e la tua comunicazione con altri partecipanti non può essere monitorata, tracciata o accessibile da terze parti. + + +###################################################### +## Wallets +###################################################### + +academy.wallets.subHeadline=Scegliere gli strumenti giusti per gestire e proteggere i tuoi bitcoin. +academy.wallets.whatIsAWalletHeadline=Cos'è un portafoglio +academy.wallets.whatIsAWalletContent=I portafogli sono il tuo strumento per eseguire le azioni più fondamentali in Bitcoin: riceverlo, conservarlo e inviarlo. Poiché Bitcoin è un sistema aperto, chiunque può costruire un portafoglio per esso e ne esistono molti diversi. Questo è ottimo perché significa che hai molte opzioni diverse tra cui scegliere e puoi anche utilizzare più portafogli diversi per coprire diverse esigenze.\n\nIn generale, un portafoglio è un software che fa diverse cose per te: legge la blockchain per verificare il saldo degli indirizzi che controlli. Può costruire e inviare transazioni quando vuoi pagare qualcun altro. E conserva le tue chiavi in modo che tu possa firmare le tue transazioni. Alcune di queste funzionalità appaiono diverse in portafogli diversi e alcuni portafogli coprono solo alcune di esse. Per capire meglio questo, è utile essere familiarizzati con le diverse caratteristiche che rendono i portafogli diversi l'uno dall'altro.\n\nInnanzitutto, devi capire la differenza tra un portafoglio caldo e uno freddo. Un portafoglio caldo è un portafoglio software in cui le chiavi che controllano i tuoi bitcoin sono memorizzate su un dispositivo connesso a Internet. Un portafoglio freddo, d'altra parte, è un setup in cui le tue chiavi sono memorizzate su un dispositivo che non è mai connesso a Internet e usi un software diverso per tenere traccia del tuo saldo e preparare e inviare transazioni. I portafogli caldi sono tipicamente un'applicazione semplice sul tuo telefono o computer portatile. Un portafoglio freddo, d'altra parte, significa che utilizzi un software sul tuo telefono o computer portatile che non detiene le tue chiavi e lo combini con un secondo dispositivo che detiene le chiavi e non si connette mai a Internet. Questo secondo dispositivo potrebbe essere un computer portatile o smartphone dedicato, o più comunemente, un hardware wallet. I portafogli caldi sono più semplici da gestire e usare, ma sono anche meno sicuri. I portafogli freddi richiedono una configurazione leggermente più complessa e scomoda, ma offrono un grado molto maggiore di sicurezza contro hack e errori durante la gestione delle chiavi. Come gestire i rischi della gestione dei tuoi fondi è una decisione personale, ma in generale è consigliato utilizzare portafogli caldi come il tuo portafoglio tradizionale per banconote e monete nel tuo portafoglio, e portafogli freddi come una cassetta di sicurezza in una banca. Non porteresti un milione di dollari nel tuo portafoglio. E non useresti il contenuto della tua cassetta di sicurezza per pagare un caffè.\n\nGli hardware wallet sono speciali dispositivi fisici progettati e realizzati con l'unico scopo di memorizzare le chiavi dei tuoi fondi e firmare transazioni con quelle chiavi. Offrono un modo conveniente per firmare transazioni per spendere i tuoi fondi, mentre conservi le tue chiavi in modo sicuro che impedisce di divulgarle ad altri. Utilizzare un hardware wallet migliora la tua sicurezza di ordini di grandezza rispetto all'utilizzo di un portafoglio caldo sul tuo computer principale o smartphone. Se stai iniziando il tuo percorso in Bitcoin, non è necessario avere un portafoglio fin dal primo giorno, ma probabilmente vuoi ottenerne uno una volta iniziato ad accumulare una quantità di bitcoin che farebbe male perderla. Ci sono molti hardware wallet sul mercato, con prezzi tipici intorno ai $100.\n\nEd una nota finale: un saldo in un exchange centralizzato non è un portafoglio. Poiché non controlli le chiavi, ti affidi e fidi dell'exchange centralizzato per detenere effettivamente i tuoi bitcoin. Se, per qualsiasi motivo, non te li inviano quando decidi di prelevarli, non c'è modo per te di ottenerli. Ricorda: non le tue chiavi, non i tuoi bitcoin. +academy.wallets.howToPickHeadline=Come scegliere un portafoglio +academy.wallets.howToPickContent=Scegliere il portafoglio giusto per te è una decisione che dipende da molti fattori, come ad esempio come utilizzerai Bitcoin, quali importi gestirai o quali dispositivi possiedi. Tuttavia, ci sono alcuni consigli generali che puoi seguire e specifici portafogli che hanno un buon track record.\n\nIl primo e più importante consiglio generale è scegliere un portafoglio open source. Garantire che il codice del tuo portafoglio sia verificabile è fondamentale. Puoi saperne di più su questo nella sezione Open Source di Bisq Learn. Un altro consiglio importante è scegliere un portafoglio che non supporti altre criptovalute oltre a Bitcoin. I portafogli che gestiscono più criptovalute devono utilizzare codice più complesso per funzionare con le diverse valute supportate, il che introduce rischi di sicurezza più grandi. Pertanto, è meglio scegliere un portafoglio solo Bitcoin per i tuoi fondi. Infine, cerca portafogli che esistono da tempo, che hanno una base di utenti forte e una buona reputazione. È meglio lasciare i portafogli nuovi per l'uso avanzato o gli esperimenti al massimo.\n\nSe prevedi di utilizzare il tuo portafoglio sul tuo smartphone, ti consigliamo di esaminare uno dei seguenti portafogli: Bluewallet, Blockstream Green o Nunchuk. D'altra parte, se vuoi utilizzare un PC, ti consigliamo di utilizzare uno dei seguenti: Sparrow, Bluewallet, Electrum, Blockstream Green o Nunchuk. Questi sono tutti buoni portafogli per principianti. Puoi provarne diversi per scoprire quale ti si adatta meglio, o anche usarne più contemporaneamente se lo desideri. Man mano che acquisisci più esperienza e conoscenza, potresti iniziare a sviluppare preferenze in base alle funzionalità più avanzate che rendono questi portafogli un po' diversi tra loro.\n\nUna volta che hai abbastanza fondi per iniziare a prendere più seriamente la sicurezza, avrà probabilmente senso acquisire un hardware wallet. Con un hardware wallet, sarai in grado di memorizzare le tue chiavi al suo interno e firmare transazioni con esso, mentre potrai comunque utilizzare un software come Sparrow, Bluewallet o Nunchuk per leggere i tuoi saldi e preparare transazioni. Per quanto riguarda gli hardware wallet, valgono gran parte degli stessi consigli: scegli hardware wallet con design trasparenti e pubblici, che supportano solo Bitcoin e che hanno una buona reputazione e un buon track record. Alcuni brand noti sono Coldcard, Bitbox, Trezor o Foundation.\n\nIl mondo dei portafogli è ricco e diversificato, il che è sia ottimo sia confondente. È perfettamente normale sentirsi un po' sopraffatti all'inizio. Se stai appena iniziando, ti consigliamo di fare un po' di ricerca, provare alcune delle opzioni che ti abbiamo condiviso e, una volta trovato uno con cui ti senti a tuo agio, attenertici. Mentre continui a conoscere meglio Bitcoin, puoi sempre esplorare nuove opzioni più avanzate e passare a un altro portafoglio, o usarne più di uno, quando vuoi. + + +###################################################### +## Free Open Source Software +###################################################### + +academy.foss.subHeadline=Scopri il codice aperto e come alimenta Bitcoin e Bisq +academy.foss.bitcoinAndFossHeadline=Bitcoin e software open source +academy.foss.bitcoinAndFossContent=Il software open source è un software il cui codice è pubblicamente accessibile e chiunque può leggerlo, copiarlo e modificarlo a proprio piacimento. Ciò è in contrasto con il software proprietario o closed-source, dove l'autore originale decide di tenere il codice per sé e nessun altro ha accesso o permesso ad esso. Anche se potrebbe sembrare un argomento tecnico, è nel tuo interesse comprendere le implicazioni del software open source nel tuo percorso con Bitcoin. Facciamo un tuffo in questo mondo.\n\nIl mondo di Bitcoin è profondamente influenzato da e legato al software open source. Il software Bitcoin stesso è stato open source fin dal primo giorno. Anche Bisq è un progetto open source. Molte altre tecnologie circostanti, come client Lightning, servizi di mixing o firmware per il mining, sono tipicamente sviluppate come progetti open source. Anche molti portafogli sono open source e, come discutiamo nella sezione Portafogli di Bisq Learn, consigliamo vivamente di scegliere portafogli open source.\n\nPerché è così? Il software closed source è solitamente costruito e mantenuto privato da aziende e individui che vogliono addebitare ad altri le licenze e mantenere il pieno controllo del progetto. Nello spazio Bitcoin, questo è raramente il caso. Bitcoin è per sua natura un sistema aperto e accogliente, e il codice ne è una rappresentazione. Chiunque può vedere il codice, modificarlo, condividere copie della propria versione con altri e, in poche parole, fare ciò che vuole con esso. Anche Bisq è un progetto open source dove tutti sono benvenuti a partecipare, espandere l'applicazione e apportare miglioramenti in diversi modi. +academy.foss.openSourceBenefitsHeadline=Come il software open source ti beneficia +academy.foss.openSourceBenefitsContent=Potresti pensare che, poiché non sei un programmatore, che il codice di alcuni software sia pubblico o meno abbia scarsa rilevanza per te. Questo non è affatto il caso. Anche se non hai intenzione di guardare o modificare il codice delle app che stai utilizzando, la tua esperienza con esse sarà profondamente influenzata dal fatto che il codice sia open o closed source. Questo è ancora più critico quando parliamo del software che gestirà la tua vita finanziaria e supporterà la tua capacità di salvare, ricevere e inviare denaro. Generalmente, utilizzare software open source sarà più vantaggioso per te rispetto alle equivalenti soluzioni closed source. Vediamo alcuni motivi importanti che rendono questo importante per te.\n\nUn motivo estremamente importante per scegliere il software open source è la sicurezza. Poiché il software open source può essere letto da chiunque, hacker e attori malintenzionati cercano regolarmente errori e falle di sicurezza in esso. Potresti pensare che questo sia pericoloso, ma è effettivamente il contrario! Questo perché il fatto che il codice sia aperto a tutti significa che chiunque può cercare problemi di sicurezza e o segnalarli, correggerli da sé o sfruttarli malevolmente. Collettivamente, la comunità di utenti e sviluppatori attorno al progetto sarà in grado di individuare e correggere la maggior parte degli errori rapidamente, spesso anche prima che vengano rilasciati. E se qualcuno usa questo errore in modo malevolo per sfruttare il software, non passerà molto tempo prima che venga notato e applicate le soluzioni. Nei progetti closed source, solo il piccolo team pagato dietro al progetto rivede il codice, il che si traduce in una probabilità molto più alta che gli errori passino inosservati. Più occhi, meno bug. E le aziende hanno anche l'incentivo a non divulgare il fatto che i loro prodotti closed source hanno problemi di sicurezza, il che porta a molti bug e hack mantenuti segreti invece di essere divulgati. Infine, poiché nei progetti closed source solo il team di sviluppo può vedere il codice, come puoi tu o chiunque altro essere pienamente sicuro che il software sia sicuro? Questo si collega con un detto comune nella cultura Bitcoin: non fidarti, verifica. In generale, il software open source porta a risultati molto più sicuri e robusti rispetto al software closed source.\n\nUn'altra grande ragione per scegliere il software open source rispetto a quello closed source è la continuità a lungo termine del primo. Il codice che è pubblico non dipende da nessuna singola entità o individuo per essere mantenuto nel tempo. Anche se il team originale dietro a un progetto scompare eventualmente, altri possono prendere il controllo e continuare a mantenere ed evolverlo. Il miglior esempio di questo è proprio Bitcoin: anche se il suo creatore pseudonimo, Satoshi Nakamoto, è scomparso più di dieci anni fa, il progetto ha continuato a crescere e prosperare oltre ogni aspettativa. Pertanto, ogni volta che scegli software open source rispetto a quello closed source, stai drasticamente riducendo le possibilità che qualche azienda o sviluppatore ti lasci bloccato con qualche software non mantenuto che svanisce e diventa obsoleto.\n\nInfine, i progetti open source con un utilizzo diffuso, come Bitcoin, Bisq o portafogli come Electrum, tendono a portare a prodotti di alta qualità attirando i migliori talenti. La natura aperta dei progetti consente a chiunque di collaborare e molti ottimi sviluppatori nello spazio preferirebbero collaborare costruendo su un buon progetto piuttosto che avviare uno sforzo duplicato da zero. Nel tempo, i contributi cumulativi di questi individui portano a risultati impressionanti che spesso superano ciò che la maggior parte delle aziende, anche quelle ben finanziate, potrebbero mai raggiungere.\n\nIn sintesi, scegliere opzioni open source per gli strumenti Bitcoin comporta un ottimo set di vantaggi che ti aiutano a godere di prodotti sicuri e utili di alta qualità. Speriamo che tu diventi curioso sulla natura del codice che utilizzi nella tua vita quotidiana e che faccia scelte informate sul software che esegui. diff --git a/shared/domain/src/commonMain/resources/mobile/academy_pcm.properties b/shared/domain/src/commonMain/resources/mobile/academy_pcm.properties new file mode 100644 index 00000000..f6235cf0 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/academy_pcm.properties @@ -0,0 +1,94 @@ +###################################################### +## Academy (Learn section) +###################################################### + +academy.overview=Overview + +academy.overview.subHeadline=Hitchhiker's Guide to the Cryptoverse +academy.overview.content=Bisq and Bitcoin community members dey provide information for learn about the Bitcoin space and epp you separate the important from the plenty talk. +academy.overview.selectButton=Learn more + +academy.overview.bisq=Bisq +academy.overview.bisq.content=Learn about Bisq, the Bisq DAO. Find out why Bisq dey important for your security, privacy, and to make sure say Bitcoin dey follow e original values. +academy.overview.bitcoin=Bitcoin +academy.overview.bitcoin.content=Enter deep inside Satoshi's rabbit hole. Learn about the ideas wey dey behind the blockchain, mining, and wetin make Bitcoin special. +academy.overview.security=Security +academy.overview.security.content=Learn about security concepts wey relate to how you dey handle your Bitcoin funds. Make sure you sabi the best way to keep your Bitcoin secure. +academy.overview.privacy=Privet +academy.overview.privacy.content=Why privacy dey important? Wetin be the risk when companies dey collect your data? Why e dey necessary for a free society and for security? +academy.overview.wallets=Walet +academy.overview.wallets.content=You wan know which wallet go fit your needs? Read here about the best options for wallets. +academy.overview.foss=Open source +academy.overview.foss.content=Bisq na free and open source software (FOSS) wey dey based on the GPL license. Why FOSS dey important? You dey interested to contribute? + + +###################################################### +## Bisq +###################################################### + +academy.bisq.subHeadline=Bisq na free and open source software wey dey allow you exchange Bitcoin with fiat currencies or other cryptocurrencies for decentralized and trust-minimized way. +academy.bisq.exchangeDecentralizedHeadline=Trayd, decentralized +academy.bisq.exchangeDecentralizedContent=Bisq na application for exchange where you fit buy and sell Bitcoin for national currencies or other cryptocurrencies. Unlike plenty other exchanges, Bisq na both decentralized and peer-to-peer.\n\nE dey decentralized because e no depend on any single company, team or government. Decentralization make Bisq one strong network: just like Bitcoin, e dey exist because of users like you. Since e no rely on one thing, e dey hard for anybody to stop or harm the network. E dey peer-to-peer because each trade wey you do, e deymatch you with another user like you. This one dey help you protect your privacy from centralized things likegovernment and traditional financial institutions. E still make Bisq permissionless: you no need anybody permission to use am, and nobody fit stop you from use am.\n\nRight now, we get two applications: Bisq 1 and Bisq 2. Bisq 2 na the application wey you dey read this. We advise you make you sabi Bisq 2 well before you wan learn more about Bisq 1. +academy.bisq.whyBisqHeadline=Why Bisq +academy.bisq.whyBisqContent=For many users, Bisq na the preferred way to buy or sell Bitcoin in exchange for national currencies. This na because Bisq get different experience from Centralized Exchanges.\n\nUsers like Bisq because e dey respect their privacy. You no need provide any personal information to use Bisq. Anytime wey you dey trade, you only need share your payment details with your trade partner. Nobody else fit access this data, and no central database dey where your information and transactions go dey stored for years or decades.\n\nBisq still allow users bypass any kind of permission wey their local government or financial institutions fit impose on them. Examples of this fit be governments wey declare Bitcoin possession or trading as illegal, or banks wey no allow customers send their own money to exchange institutions. Users wey dey these kind situations find for Bisq way wey dem go use do what they wan do without being excluded from the traditional financial system for any reason.\n\nFinally, Bisq na safe way to exchange Bitcoin and national currencies. The existing trade protocols and reputation systems dey prevent bad actors from steal your funds. Mediators dey always available to support you anytime another peer no behave well, and dem fit step in to find solution for your case. The result: Bisq users fit trade with others without fear say dem go scam dem and collect their money. +academy.bisq.tradeSafelyHeadline=Trayd safely +academy.bisq.tradeSafelyContent=Exchanging your Bitcoin and national currencies with other peers comes with great benefits like not depending on companies or protecting your privacy. But you might be wondering: how can I know if the peer I'm trading with is honest? Won't I get scammed? Those are valid concerns that you should always keep in mind and that Bisq addresses in several ways to allow safe trading.\n\nThe different trade protocols (you can think of a protocol as the rules you and your peer will have to follow) minimize the risk of any actor scamming their peer during a trade. There is usually a trade-off between security and convenience: some protocols are more robust, others are more convenient and fast. It is up to you to decide which protocol to use on each trade, depending on your preferences and needs, as well as the traded amount. Protocols like Bisq Easy are recommended for small sums of money, while more robust and structured protocols like Bisq MuSig are advisable for larger amounts.\n\nIf your trade ends up in a conflict with your trade peer, or the peer simply disappears and becomes unresponsive, you will not be left alone. Mediators and arbitrators are always available to advice and provide solutions in these situations. These roles will observe each case, propose friendly solutions between the traders, and potentially make final decisions if no agreements are reached. If you have acted honestly and followed the rules, the outcomes will be in your favor and you will never lose your funds.\n\nIn summary, Bisq is designed to minimize the need for trusting other peers and to discourage scamming and other bad behaviors. This translates in very few trades having any kind of conflict, and those which do will always be solved in a reasonable way through mediation and/or arbitration. The result: trading in Bisq is a safe and smooth experience. + + +###################################################### +## Bitcoin +###################################################### + +academy.bitcoin.subHeadline=Na peer-to-peer electronic cash wey allow make online payments go directly without middlemen. +academy.bitcoin.whatIsBitcoinHeadline=Wetin Be Bitcoin +academy.bitcoin.whatIsBitcoinContent=Bitcoin na the biggest and most popular cryptocurrency for the world. E be digital cash wey allow anybody send value to other people without needing any middleman. E start for 2009 and e don grow well well since that time, e gain acceptance across the world because of e unique properties.\n\nBitcoin different from all the national currencies for plenty ways. Bitcoin no dey controlled or issued by any government or institution. E dey decentralized, and e dey exist because of the thousands of people across the world wey dey use am. This one make am neutral money, where nobody dey any special position to take abuse am. E still mean say you free to use Bitcoin without needing any kind permission, and nobody for the system get more power pass you. E be open system wey welcome everybody. Another important property be say you fit hold Bitcoin by yourself without needing any other company or entity. If you compare am with traditional currencies, e dey more like the cash wey dey your pocket (wey you get control) pass e be like balance for bank account (wey you dey subject to the bank's conditions and wishes). Because of this, you dey free anytime to send Bitcoin: you no need anybody approval to do am, and your transactions no fit be stopped or reversed. Another interesting aspect be say Bitcoin supply na limited to 21 million maximum. This one mean say the value of each bitcoin, unlike the value of each dollar for example, no fit dey reduced by creating more of am. Bitcoin dey create through one costly process wey dem dey call mining, and the amount wey fit dey created and the emission schedule dey strictly defined and no fit be modified. This one mean say the supply dey limited, certain, and predictable, and e make Bitcoin attractive because of e scarcity and robustness. +academy.bitcoin.whyUseBitcoinHeadline=Why Make You Use Bitcoin +academy.bitcoin.whyUseBitcoinContent=Bitcoin properties make am one unique asset wey dey attract different people for different reasons. How Bitcoin take attract you dey depend on your profile and needs.\n\nOne of the most common reasons wey people dey use Bitcoin na e ability to protect value over time. The national currencies for plenty countries for the world dey lose value continuously over time because of currency debasement. This one mean say as you dey hold your savings for cash or bank account, you dey lose them because their value dey reduce over time. Bitcoin limited supply no dey allow this one happen, so even if e dey behave anyhow for short term, e still be strong tool to preserve your wealth for long term.\n\nAnother reason why individuals dey use Bitcoin na to protect themselves from government and financial institutions actions and decisions. Since Bitcoin na something wey you fit own, send, and receive for permission-less way, the value wey dey inside am no go dey affected by situations like central bank wey dey print more units of their national currency, or bank wey decide to block your transfers for any reason, or government wey dey do confiscations on top their population. With Bitcoin, the rules of the game dey well-known and predictable, and you fit dey sure say the network go dey fair and treat everybody equally.\n\nBitcoin still dey attractive for those wey dey engage for international trade and wan send or receive money to other countries or regions. Bitcoin no get concept of borders and e dey work the same whether you wan send some to your neighbor or to person for the other side of the world. Since making payments to people or companies for different regions of the world usually dey involve long waiting times, high fees, and plenty paperwork, some people dey choose Bitcoin as one simple and convenient alternative for their cross-region payments. E still mean say you fit use am send money to countries wey your government or bank don decide to block.\n\nLastly, some people dey choose Bitcoin because e dey simple and convenient. Bitcoin get plenty advantages for this area when you compare am with traditional currencies. With am, you no need deal with contracts and long bureaucratic processes to do simple things like open account. You fit easily access your money for all your devices. You fit send am anywhere and to anybody without needing different forms of payment (cash, bank transfers of different sorts, credit cards, etc.). You fit easily protect and secure your funds with the right knowledge, and you no go worry about person wey go steal your wallet or credit card details.\n\nBitcoin na big and innovative step forward for the world of money and payments. E sure say there dey one reason why Bitcoin fit attract and fit useful for your needs, so we encourage you make you learn more and become familiar with am. + + +###################################################### +## Security +###################################################### + +academy.security.subHeadline=Make sure say na only you fit access your funds all the time +academy.security.introContent=Because Bitcoin dey work different from national currencies, the precautions wey you need to take dey different from wetin you sabi before. This one na very important topic because, even though Bitcoin give you plenty power and freedom, e also dey make you responsible for how you go take protect your funds. So, you suppose spend small time and effort to sabi how to secure am well.\n\nWhile security na complex topic, we fit break am down into three main goals: make sure say other people no fit access your private keys, make suresay you always fit access your private keys, and avoid to mistakenly send your bitcoin to scammers and other people wey you no trust. +academy.security.securingYourKeysHeadline=Secure your keys +academy.security.securingYourKeysContent=Firstly, you must sabi one simple idea: no be your keys, no be your coins. This one mean say, for you to truly own your Bitcoin, e suppose dey stored for one wallet where only you get control of the keys. So, if you dey keep Bitcoin for banks or centralized exchanges, e no be you truly own the asset because na those entities get control of your funds, no be you. If you really wan own your bitcoin, you suppose store am for wallet wey only you get control of the keys.\n\nPlenty Bitcoin wallets dey available, and each oneget e unique design and features. Wetin all of them get in common na say somehow, somewhere, dem go store your private keys. These keys na the ones wey go give you access to your funds. Any wallet wey you use, you suppose make sure say only you, or people wey you fully trust, get access to these keys. If another person get access to the keys, e fit steal your funds, and nothing fit fit undo the transaction. On the other hand, losing the keys yourself bad well well. If you lose your keys, you no go fit send your funds again, and nobody fit help you recover am. Even though this one fit sound like wahala, you fit easily avoid these kind situations if you learn small and you follow good practices.\n\nMost Bitcoin wallets go give you one backup wey consist of 12 or 24 words, wey people dey call mnemonic phrase or seedphrase. This backup na the most important thing for you to secure because e fit allow you restore your wallet for any device. E go dey better make you store these backups for analogical form, usually by writing am for paper or for small metal sheet, and make sure say you get different copies of am. You still suppose store am for place wey you go fit see am if you need am, but nobody else suppose fit access am.\n\nFor big amount of Bitcoin, e dey common to use specialized devices wey dem dey call Hardware Wallets to store your keys. These devices offer better security when you compare am to storing your keys for smartphone or laptop wallet, and dem still make am easy when e reach transaction. You fit learn more about these and other types of wallets for the Wallets section of Bisq Learn.\n\nLastly, make sure say you no dey use storage plan wey too complicated. One storage plan wey get plenty details and subtleties fit chase thieves comot from your funds, but e get chance say you no go fit access your own wallet because of mistakes, confusion, or simply because you forget how you arrange the backups. Aim for one balance between setup wey dey too simple (like storing your seedphrase for plain text file for your laptop's desktop) and setup wey dey too complex wey even you self no fit figure out (like storing the words of your seedphrase for 12 books for 12 different places). +academy.security.avoidScamsHeadline=Avoid scams +academy.security.avoidScamsContent=Another source of problems and risk na scams. Bitcoin transactions no fitfit reverse, so if person deceive you make you send am Bitcoin and e run go, nothing go fit happenabout am. Because of this, e common well to see different schemes wey people go try deceive you make yousend am Bitcoin. Most times, scammers go give you better "opportunity" wey go make you make money easily,and this opportunity go too dey good to be true. The specific stories and details for these scams plentywell well, but the common pattern na say dem go show you better returns, but first, you go need send Bitcoinfirst. Once you send the Bitcoin, you no go likely see am again. To protect yourself from these scams,just dey interact with reputable and trusted companies and people. If you dey feel say one entity no dey straight, make you ask for references or waka comot from there. If dem give you opportunity wey too good to be true, e probably be scam, and e better make you stay far from am. + + +###################################################### +## Privacy +###################################################### + +academy.privacy.subHeadline=Your data na your own. Keep am like that. +academy.privacy.introContent=To keep your financial information and identity private dey common among Bitcoin users. E dey natural and make sense say you no go wan make other people sabi about your funds and transactions without your permission. After all, you no fit waka for road dey wear t-shirt wey get your bank account balance and credit card reports, abi you go fit?\n\nPrivacy na important topic for Bitcoin because the way way Bitcoin transactions and addresses dey transparent dey make mistakes for this area fit cost you well well. For this section, we go cover some points about privacy for your Bitcoin journey. +academy.privacy.whyPrivacyHeadline=Why privacy dey relevant +academy.privacy.whyPrivacyContent=Many users value the freedom that Bitcoin provides them to own their property and transact freely and without permission with others. But without good privacy practices, these features of Bitcoin get seriously eroded. Disclosing information about yourself and your Bitcoin funds will put you at risk of several kinds of attacks from others that will restrict your own freedom. Reflecting on what data you are sharing and being mindful of this will prevent you from making costly mistakes that you might regret down the line.\n\nThe first obvious issue with revealing your identity and details about your funds is personal safety. If someone knows details such as how much bitcoin you hold, where you live, and what kind of wallet you are using, they could easily plot a physical attack against you in order to get hold of your keys. This is especially tempting in comparison with national currency bank accounts, since Bitcoin transactions are irreversible. Thus, if a thief manages to force you to send your bitcoin to an address of their own, or just steals your wallet keys and does so himself, there will be no way to cancel that transaction and your bitcoin won't be yours anymore. Keeping your identity and financial details private prevents you from becoming a target of this kind of attack.\n\nAnother good reason to keep your details private is the danger posed by hostile government regulations and actions. Governments throughout the world have repeatedly taken actions against their citizens' private property in various ways. A great example of this is Executive Order 6102, which made it illegal for US citizens to hold gold and caused a unilateral confiscation of gold for millions of US citizens. Just like with regular thieves, ensuring that government entities and personnel hold no information about you and your funds protects you in case the government starts a negative policy against owners of Bitcoin.\n\nOverall, you probably just don't want others to know how much Bitcoin you hold or what transactions you perform. Just like we protect our bank accounts with various methods so that only we can check our balances and movements, it makes sense to ensure others don't have the ability to view the transactions and their details, such as when, how much, or with whom we transact. +academy.privacy.giveUpPrivacyHeadline=How we dey give up our privacy +academy.privacy.giveUpPrivacyContent=Many ways dey wey person fit voluntarily or mistakenly disclose personal details. Most times, e easy to prevent am with common sense, because many times, na just by being careless e dey happen. Some subtle leaks go require small technical knowledge and time. But the good news na say, with small effort,you fit avoid the most important issues.\n\nThe biggest privacy mistake, because of how often e dey happenand how terrible e be, na to give out your ID voluntarily when you wan buy or sell Bitcoin. Nowadays, many centralized exchanges (companies like Coinbase, Kraken, Binance, etc.) dey follow government KYC regulations (KYC mean Know Your Customer). This one mean say, government dey force these companies to ask for your passport,national identity card, driver's license, or similar documents so that dem fit link this information to your account. From the moment wey you give these documents, every purchase and sale wey you do go dey recorded and linked to you. Plus, the exchange and government agencies go dey see your balance anytime. Even if you decide say you wan carry your Bitcoin commot from these exchanges and keep am for wallet wey you get control,these people go fit track the addresses wey your funds dey go. And if this one no dey give you worries, there still another wahala: if any hacker gain access to the databases of these companies, dem fit leak your information go public for the internet, wey go allow anybody for the world to sabi all your personal and financial information. This one don happen many times for the past few years, and e get serious consequences for some customers wey these exchanges affect.\n\nAnother area wey you suppose dey careful na address re-use. Every time wey you give person the address of your wallet make e send you some bitcoin, this person go sabi say this address belong to you. This one mean say, from that time, the person fit dey monitor the address and everything wey happen inside. If you dey reuse this address over and over, every person wey you dey interact with go fit see the different transactions wey dey that address, including when dem happen, where the funds dey come from and go, and the amount wey dem dey transact. So e better make you dey use addresses to receive bitcoin just once. Most wallets go dey take care of this one for you, but e still dey important make you sabi why e good like that.\n\nLastly, to dey rely on other people's nodes to read blockchain data fit mean say the person wey run the node fit dey monitor the addresses wey your wallet dey interested in. When you dey handle significant amount of Bitcoin,e go dey make sense if you learn how to run your own node and connect your wallet to am. Or at least, make sure say you dey careful about the node wey you wan connect to and choose one from person or organization wey you trust,like your friend wey sabi Bitcoin well or the local Bitcoin community. +academy.privacy.bisqProtectsPrivacyHeadline=Bisq dey help protect your privacy +academy.privacy.bisqProtectsPrivacyContent=Bisq allow you buy and sell Bitcoin from other people. This simple difference get plenty advantages when you compare am with using centralized exchanges when e reach privacy. If you use Bisq, e go protect your safety and privacy from government, companies, and other people wey wan record and use your data against your interest.\n\nWhen you dey transact for Bisq, na only you and your peer sabi the details of the transaction. And even between both of una, the information wey una suppose share dey very small and e dey restricted to the necessary payment details, like, for example, your bank account number if you wan receive fiat payment for your bank account. This one mean say you no need provide information like your ID, address, etc. Again, the way wey you fit interact with different peers on every trade dey prevent one person from gathering data about you with time, and e dey distribute your transaction history among different people, and e dey prevent any one person from fit see your full financial life. Bisq also allow you receive any bitcoin wey you buy directly for address of the wallet wey you get control, wey e enable you get control of your funds at all time, and e give you the chance to distribute am across different addresses so that no single person fit dey monitor your wallet.\n\nRemember say, Bisq na just software wey dey run for your computer, and e dey connect to the internet through privacy friendly networks like Tor and I2P. You no even need to sign up somewhere for pseudonymous way. Because of this, nobody fit sabi say you dey use Bisq, and your communication with other participants no fit dey monitored, tracked or accessed by third parties. + + +###################################################### +## Wallets +###################################################### + +academy.wallets.subHeadline=Picking the right tools to handle and secure your Bitcoin. +academy.wallets.whatIsAWalletHeadline=Wetin be Walet +academy.wallets.whatIsAWalletContent=Walet na your tool to perform the most fundamental actions for Bitcoin: receiv am, store am and Send am. Since Bitcoin na open system, anybody fit build walet for am, and plenty different ones dey exist. This one dey great because e mean say you get plenty different options for the market wey you fit choose from, and you fit even use multiple different walets to cover different needs.\n\nGenerally, walet na piece of software wey dey do several things for you: e dey read the blockchain to check the Balance of the addresses wey you control. E fit build and Send transactions when you wan pay person. And e dey hold your keys so that you fit sign your transactions. Some of these features dey look different for different walets, and some walets only cover parts of dem. To understand this better, e dey useful to sabi the different characteristics wey dey make walets different from each other.\n\nFirst, you suppose sabi the difference between hot walet and cold walet. Hot walet na software walet wey the keys wey dey control your Bitcoin dey stored for internet-connected device. Cold walet, on the other hand, na setup wey your keys dey stored for device wey no dey connected to the internet, and you dey use different software to track your Balance and prepare and Send transactions. Hot walets dey typically simple app for your phone or laptop. Cold walet, on the other hand, mean say you dey use software for your phone or laptop wey no dey hold your keys, and you dey combine that with second device wey dey hold the keys and no dey connect to the internet. This second device fit be dedicated laptop or smartphone, or more commonly, hardware walet. Hot walets dey simpler to manage and use, but dem dey also less secure. Cold walets require small more complex and cumbersome setup, but e dey offer much higher degree of safety against hacks and mistakes when handling keys. How to handle the risks of managing your funds na personal decision, but e dey generally recommended to use hot walets like your traditional walet for bills and coins for your pocket, and cold walets like safe box for bank. You no go carry million dollars for your walet. And you no go use the contents of your safe box to pay for coffee.\n\nHardware walets na special physical devices wey dem design and manufacture with the sole purpose of storing the keys to your funds and signing transactions with those keys. Dem dey offer convenient way to sign transactions to spend your funds, while storing your keys in safe way wey dey prevent leaking dem to others. Using hardware walet dey improve your safety by orders of magnitude in comparison to using hot walet for your main computer or smartphone. If you dey start your Bitcoin journey, you no need to get walet since day one, but you fit wan obtain one once you start accumulating amount of Bitcoin wey go dey pain you to lose. There plenty hardware walets for the market, with typical prices dey around $100.\n\nAnd final note: Balance for centralized exchange no be walet. Since you no dey control the keys, you dey rely on and trust the centralized exchange to actually hold your Bitcoin. If, for any reason, dem no Send am to you when you decide to withdraw, there no way for you to get hold of am. Remember: not your keys, not your coins. +academy.wallets.howToPickHeadline=How to pick a walet +academy.wallets.howToPickContent=Choosing the right Walet for you na decision wey depend on plenty factors, like how you go use Bitcoin, wetin be the amounts wey you go dey handle, or wetin be the devices wey you get. Nevertheless, there dey few general recommendations wey you fit follow and specific wallets wey get good track record.\n\nThe first and most important general advice na to pick open source Walet. Ensuring say your Walet code dey verifiable na paramount. You fit learn more about this for the Open Source section of Bisq Learn. Another important recommendation na to pick Walet wey no dey support other cryptocurrencies apart from Bitcoin. Wallets wey dey handle multiple cryptocurrencies need to use more complex code to work with the different supported currencies, wey dey introduce bigger security risks. Hence, e better to choose Bitcoin-only Walet for your funds. Finally, try to look for wallets wey don dey around for some time, get strong user bases and get good reputashin. E best to leave brand-new wallets for advanced usage or experiments at most.\n\nIf you plan to use your Walet for your smartphone, we advise make you look into one of the following wallets: Bluewallet, Blockstream Green or Nunchuk. On the other hand, if you wan use PC, we go suggest make you use one of the following: Sparrow, Bluewallet, Electrum, Blockstream Green or Nunchuk. These na all good wallets for beginners. You fit try several of them to find which one go suit you better, or even use multiple ones at the same time if you want to. As you dey acquire more experience and knowledge, you fit start to develop preferences depending on the more advanced features wey make these wallets small different from each other.\n\nOnce you don get enough funds to start to take security even more seriously, e go make sense to acquire hardware Walet. With hardware Walet, you go fit store your keys for am and sign transactions with am, while you still fit use software like Sparrow, Bluewallet or Nunchuk to read your balances and prepare transactions. When e come to hardware wallets, most of the same advice dey apply: pick wallets wey get transparent and public designs, wey only support Bitcoin and wey get good reputashin and track record. Some well-known brands na Coldcard, Bitbox, Trezor or Foundation.\n\nThe world of wallets dey rich and diverse, which dey both great and confusing. E dey perfectly fine to feel small overwhelmed at first. If you dey just start, we go advise make you do small research, try some of the options wey we don share with you, and, once you find one wey you dey comfortable with, stick to am. As you dey keep learning more about Bitcoin, you fit always explore new and more advanced options and switch to any other Walet, or use multiple of them, whenever you like. + + +###################################################### +## Free Open Source Software +###################################################### + +academy.foss.subHeadline=Learn about open source software and how e dey power Bitcoin and Bisq +academy.foss.bitcoinAndFossHeadline=Bitcoin and open source software +academy.foss.bitcoinAndFossContent=Open source software na software wey the code dey publicly accessible and anybody fit read, copy and modify that code in any way dem see fit. This one dey different from closed-source or proprietary software, where the original author decide to keep the code to himself and nobody else get access or permission to am. Even though this fit feel like technical topic, e dey your interest to understand the implications of open source software for your Bitcoin journey. Make we dive inside am.\n\nThe world of Bitcoin dey deeply influenced by and related to open source software. The Bitcoin software itself don dey open source since day one. Bisq na also open source project. Plenty other surrounding technologies, like Lightning clients, mixing services or mining firmware, dey typically built as open source projects. Plenty wallets dey also open source, and as we dey discuss for the Wallets section of Bisq Learn, we dey heavily recommend make you pick wallets wey dey open source.\n\nWhy be say na so? Closed source software dey usually built and kept private by companies and individuals wey wan charge others for licenses and keep full control of the project. For the Bitcoin space, this one dey rarely happen. Bitcoin na open and welcoming system by nature, and the code na representation of this. Anybody fit see the code, modify am, share copies of their own version with others, and, put simply, do as e please with am. Bisq na also open source project where everybody dey welcome to participate, expand the application, and make improvements in different ways. +academy.foss.openSourceBenefitsHeadline=How open source dey benefit you +academy.foss.openSourceBenefitsContent=You fit think say, since you no be software developer, whether the code ofsome software na public or not no too consign you. This one no correct at all. Even if you no plan to look ormodify the code of the apps wey you dey use, your experience with am go deeply affected by whether the code deyopen or closed source. This one dey even more important when we dey talk about the software wey go run yourfinancial life and support your ability to save, receive, and send money. Generally, using open source softwarego benefit you pass using closed source equivalents. Make we break down some important reasons wey make amimportant for you.\n\nOne very important reason to choose open source software na security. Since open sourcesoftware fit be read by anybody, hackers and bad actors dey regularly find errors and security holes inside am.You fit think say e dey dangerous, but e dey the other way round! This one na because the code wey e open toeverybody means say anybody fit find security issues and either point am out, fix am themselves, or exploitam for bad purpose. Collectively, the community of users and developers around the project fit spot and fixmost errors quickly, sometimes even before dem release am. And if person use the error for bad purpose toexploit the software, e no go tey before dem notice am and find solution. For closed source software,only the small, paid team wey dey behind the project dey review the code, wey translate to say e get higherchance for errors to go unnoticed. More eyes, fewer bugs. And companies too get incentive to no reveal the factsay their closed source products get security issues, wey cause plenty bugs and hacks wey dem dey keep secretinstead of dey disclose am. Lastly, since for closed source projects, only the developing team fit see thecode, how you or anybody fit dey fully confident say the software dey safe? This one relate to one commonsaying for Bitcoin culture: no trust, verify. Overall, open source software dey lead to much more secure androbust results pass closed source software.\n\nAnother great reason to choose open source software passclosed source na for the long term. Code wey dey public no depend on any single entity or individual todey maintain am over time. Even if the original team behind the project disappear one day, others fit takeover and continue to maintain and evolve am. The biggest example na Bitcoin itself: even though thepseudonymous creator, Satoshi Nakamoto, disappear more than ten years ago, the project still dey grow anddey flourish beyond all expectations. So, anytime wey you choose open source software pass closed source,you dey dramatically reduce the chance say some company or developer go leave you dey use some software weyno dey maintained and e go fade and become outdated.\n\nLast last, open source projects wey people deyuse well, like Bitcoin, Bisq, or wallets like Electrum, dey attract the best talent and lead to high-qualityproducts. The open nature of the projects allow anybody to collaborate, and many great developers for the spacego prefer to collaborate by building on top of better project instead of start duplicate effort from scratch.Over time, the contributions from these people dey lead to impressive results wey dey often pass wetin mostcompanies, even the ones wey get plenty money, fit achieve.\n\nTo sum up, choose open source options foryour Bitcoin tools come with plenty advantages wey go help you enjoy safe and useful products of high quality.We dey hope say you go dey curious about the nature of the code wey you dey use for your daily life and yougo dey make informed choices over the software wey you dey run. diff --git a/shared/domain/src/commonMain/resources/mobile/academy_pt_BR.properties b/shared/domain/src/commonMain/resources/mobile/academy_pt_BR.properties new file mode 100644 index 00000000..741c4f12 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/academy_pt_BR.properties @@ -0,0 +1,94 @@ +###################################################### +## Academy (Learn section) +###################################################### + +academy.overview=Visão Geral + +academy.overview.subHeadline=Guia do Carona para o Criptoverso +academy.overview.content=Membros da comunidade Bisq e Bitcoin fornecem conteúdo para aprender sobre o universo do Bitcoin e ajudam a filtrar o essencial do supérfluo. +academy.overview.selectButton=Aprenda mais + +academy.overview.bisq=Bisq +academy.overview.bisq.content=Aprenda sobre o Bisq, o DAO do Bisq. E descubra por que o Bisq é importante para a sua segurança, privacidade e para manter o Bitcoin alinhado com seus valores fundamentais. +academy.overview.bitcoin=Bitcoin +academy.overview.bitcoin.content=Explore profundamente a toca do coelho de Satoshi. Aprenda sobre os conceitos por trás do blockchain, mineração e o que torna o Bitcoin único. +academy.overview.security=Segurança +academy.overview.security.content=Aprenda sobre conceitos de segurança relacionados ao manejo dos seus fundos em Bitcoin. Certifique-se de entender as melhores práticas para manter seu Bitcoin seguro. +academy.overview.privacy=Privacidade +academy.overview.privacy.content=Por que a privacidade é importante? Quais são os riscos quando empresas coletam seus dados? Por que a privacidade é uma exigência para uma sociedade liberal e para a segurança? +academy.overview.wallets=Carteiras +academy.overview.wallets.content=Quer descobrir qual carteira é melhor para suas necessidades? Leia aqui sobre as melhores opções de carteiras. +academy.overview.foss=Código Aberto +academy.overview.foss.content=Bisq é um software de código aberto e gratuito (FOSS) baseado na licença GPL. Por que o FOSS é importante? Interessado em contribuir? + + +###################################################### +## Bisq +###################################################### + +academy.bisq.subHeadline=Bisq é um software livre e de código aberto para trocar Bitcoin por moedas fiduciárias ou outras criptomoedas de forma descentralizada e com minimização de confiança. +academy.bisq.exchangeDecentralizedHeadline=Troca, descentralizada +academy.bisq.exchangeDecentralizedContent=Bisq é um aplicativo de troca onde você pode comprar e vender Bitcoin por moedas nacionais ou outras criptomoedas. Ao contrário da maioria das alternativas de troca, o Bisq é descentralizado e ponto a ponto (peer-to-peer).\n\nÉ descentralizado porque não depende e não é controlado por nenhuma empresa, equipe ou governo. A descentralização torna o Bisq uma rede resiliente: assim como o Bitcoin, existe por causa de usuários como você. Como não há um único elemento em que tudo depende, é significativamente difícil para alguém parar ou prejudicar a rede. É ponto a ponto porque cada negociação que você realiza é combinada com outro usuário como você. Isso ajuda a proteger sua privacidade de elementos centralizados como governos e instituições financeiras tradicionais. Também torna o Bisq sem permissões: você não precisa da autorização de ninguém para usá-lo, e ninguém pode impedir você de fazê-lo.\n\nAtualmente, existem duas aplicações: Bisq 1 e Bisq 2. Bisq 2 é a aplicação onde você está lendo isto. Recomendamos que você se familiarize com o Bisq 2 antes de tentar aprender mais sobre o Bisq 1. +academy.bisq.whyBisqHeadline=Por que Bisq +academy.bisq.whyBisqContent=Para muitos usuários, o Bisq é o método preferido para comprar ou vender Bitcoin em troca de moedas nacionais. Isso ocorre porque a natureza do Bisq resulta em uma experiência completamente diferente daquela das Bolsas Centralizadas.\n\nOs usuários também valorizam a natureza que respeita a privacidade do Bisq. Você não precisa fornecer nenhum tipo de informação pessoal para usar o Bisq. Sempre que você negocia, só precisa compartilhar seus detalhes de pagamento com seu parceiro de negociação. Ninguém mais tem acesso a esses dados, e não há um banco de dados central onde todas as suas informações e transações acabarão armazenadas por anos ou décadas.\n\nO Bisq também permite que os usuários superem qualquer falta de permissões que possam ser impostas arbitrariamente por seus governos locais ou instituições financeiras. Exemplos disso podem ser governos que declaram a posse ou negociação de Bitcoin ilegal, ou bancos que proíbem clientes de enviar seu próprio dinheiro para instituições de troca. Usuários nessas situações encontram no Bisq uma maneira de contornar a exclusão do sistema financeiro tradicional por qualquer motivo.\n\nFinalmente, o Bisq é uma forma segura de trocar Bitcoin e moedas nacionais. Os protocolos de negociação existentes e os sistemas de reputação impedem atores mal-intencionados de roubar seus fundos. Mediadores estão sempre disponíveis para apoiar você se outro par não estiver se comportando adequadamente e intervirão, se necessário, para encontrar uma solução para o seu caso. O resultado: os usuários do Bisq podem negociar felizmente com outros sem ter que se preocupar em ser enganados e perder seus fundos. +academy.bisq.tradeSafelyHeadline=Negocie com segurança +academy.bisq.tradeSafelyContent=Trocar seus Bitcoins e moedas nacionais com outros pares traz grandes benefícios como não depender de empresas ou proteger sua privacidade. Mas você pode estar se perguntando: como posso saber se o par com quem estou negociando é honesto? Não serei enganado? Essas são preocupações válidas que você deve sempre ter em mente e que a Bisq aborda de várias maneiras para permitir uma negociação segura.\n\nOs diferentes protocolos de negociação (você pode pensar em um protocolo como as regras que você e seu par terão que seguir) minimizam o risco de qualquer ator enganar seu par durante uma negociação. Geralmente há um equilíbrio entre segurança e conveniência: alguns protocolos são mais robustos, outros são mais convenientes e rápidos. Cabe a você decidir qual protocolo usar em cada negociação, dependendo de suas preferências e necessidades, bem como do valor negociado. Protocolos como Bisq Easy são recomendados para pequenas somas de dinheiro, enquanto protocolos mais robustos e estruturados como Bisq MuSig são aconselháveis para maiores quantias.\n\nSe sua negociação terminar em um conflito com seu par comercial, ou o par simplesmente desaparecer e se tornar não responsivo, você não será deixado sozinho. Mediadores e árbitros estão sempre disponíveis para aconselhar e fornecer soluções nessas situações. Esses papéis observarão cada caso, proporão soluções amigáveis entre os negociantes e, potencialmente, tomarão decisões finais se nenhum acordo for alcançado. Se você agiu honestamente e seguiu as regras, os resultados serão a seu favor e você nunca perderá seus fundos.\n\nEm resumo, a Bisq é projetada para minimizar a necessidade de confiar em outros pares e para desencorajar fraudes e outros comportamentos inadequados. Isso resulta em muito poucas negociações tendo qualquer tipo de conflito, e aquelas que têm sempre serão resolvidas de maneira razoável através de mediação e/ou arbitragem. O resultado: negociar na Bisq é uma experiência segura e tranquila. + + +###################################################### +## Bitcoin +###################################################### + +academy.bitcoin.subHeadline=Uma moeda eletrônica peer-to-peer que permite pagamentos online diretamente sem intermediários. +academy.bitcoin.whatIsBitcoinHeadline=O que é Bitcoin +academy.bitcoin.whatIsBitcoinContent=Bitcoin é a criptomoeda mais popular e conhecida do mundo. É uma forma digital de dinheiro que permite a qualquer pessoa enviar valor a outras pessoas sem a necessidade de intermediários. Surgiu em 2009 e cresceu massivamente desde então, ganhando adoção em todo o mundo devido às suas propriedades únicas e atrativas.\n\nBitcoin difere de todas as moedas nacionais em vários aspectos. Bitcoin não é controlado ou emitido por nenhum governo ou instituição. É descentralizado e existe apenas por causa dos milhares de pessoas ao redor do mundo que o utilizam. Isso faz dele um dinheiro neutro, onde ninguém está em uma posição privilegiada que permita abuso. Isso também significa que você é livre para usar Bitcoin sem precisar de qualquer tipo de permissão, e ninguém no sistema tem mais poder do que você. É um sistema aberto que acolhe a todos. Outra propriedade importante é que você pode deter Bitcoin em auto-custódia. Em outras palavras, você pode possuí-lo sem depender de qualquer outra empresa ou entidade. Comparado às moedas tradicionais, é mais semelhante ao dinheiro no seu bolso (que você controla completamente) do que a um saldo em uma conta bancária (onde você está sujeito às condições e desejos do banco). Por isso, você também é sempre livre para enviar Bitcoin: você não precisa da aprovação de ninguém para fazê-lo, e suas transações não podem ser interrompidas ou revertidas. Um terceiro aspecto interessante é que o fornecimento de Bitcoin é limitado a um máximo de 21 milhões. Isso significa que o valor de cada bitcoin, ao contrário do valor de cada dólar, por exemplo, não pode ser desvalorizado pela criação de mais unidades. Bitcoin é criado através de um processo custoso chamado mineração, e tanto o cronograma de emissão quanto a quantidade máxima que pode ser criada são estritamente definidos e não podem ser modificados. Isso torna o fornecimento limitado, certo e previsível, tornando Bitcoin atrativo devido à sua escassez e robustez. +academy.bitcoin.whyUseBitcoinHeadline=Por que usar Bitcoin +academy.bitcoin.whyUseBitcoinContent=As propriedades do Bitcoin o tornam um ativo único que atrai diferentes pessoas por diferentes motivos. Como o Bitcoin lhe atrai depende do seu perfil e necessidades.\n\nUm dos motivos mais comuns para as pessoas usarem Bitcoin é sua capacidade de proteger valor ao longo do tempo. As moedas nacionais da maioria dos países do mundo perdem valor continuamente ao longo do tempo devido à desvalorização monetária. Isso significa que, ao manter suas economias em dinheiro ou em uma conta bancária, você está gradualmente perdendo-as porque seu valor diminui ao longo do tempo. O fornecimento limitado do Bitcoin impede que isso aconteça, então, mesmo que se comporte de maneira volátil no curto prazo, é uma ferramenta poderosa para preservar sua riqueza a longo prazo.\n\nOutro motivo para as pessoas usarem Bitcoin é para se protegerem das ações e decisões de governos e instituições financeiras. Como o Bitcoin é algo que você pode possuir, enviar e receber de maneira sem permissão, o valor armazenado nele não é afetado por situações como um banco central imprimindo mais unidades de sua moeda nacional, um banco decidindo bloquear suas transferências por motivos arbitrários, ou um governo impondo confisco em sua população. Com o Bitcoin, as regras do jogo são bem conhecidas e previsíveis, e você pode contar com a rede sendo justa e tratando a todos igualmente.\n\nBitcoin também é muito atrativo para quem participa de comércio internacional e busca enviar ou receber dinheiro para outros países ou regiões. Bitcoin não tem conceito de fronteiras e funciona da mesma forma, seja você enviando para seu vizinho ou para alguém do outro lado do mundo. Uma vez que fazer pagamentos para pessoas ou empresas em diferentes regiões do mundo geralmente significa longos tempos de espera, taxas significativas e burocracia complicada, algumas pessoas escolhem o Bitcoin como uma alternativa simples e conveniente para seus pagamentos trans-regionais. Isso também significa que você pode usá-lo para enviar dinheiro para países que seu governo ou banco decidiram bloquear.\n\nFinalmente, algumas pessoas escolhem o Bitcoin por sua simplicidade e conveniência. Bitcoin apresenta muitas vantagens nesse sentido em relação às moedas tradicionais. Com ele, você não precisa lidar com contratos e processos burocráticos longos para fazer coisas simples como abrir uma conta. Você pode acessar facilmente seu dinheiro em todos os seus dispositivos. Pode enviá-lo para qualquer lugar e para qualquer pessoa sem a necessidade de diferentes formas de pagamento (dinheiro, transferências bancárias de diferentes tipos, cartões de crédito, etc.). Você pode facilmente proteger e garantir seus fundos com o conhecimento certo, e não terá que se preocupar com alguém roubando sua carteira ou detalhes do cartão de crédito.\n\nBitcoin é um enorme e inovador passo à frente no mundo do dinheiro e dos pagamentos. Certamente existe algum motivo pelo qual o Bitcoin pode ser atrativo e útil para suas necessidades, então encorajamos você a aprender mais e se familiarizar com ele. + + +###################################################### +## Security +###################################################### + +academy.security.subHeadline=Garantindo que você, e somente você, sempre tenha acesso aos seus fundos +academy.security.introContent=Como o Bitcoin é bastante diferente das moedas nacionais na forma como funciona, as precauções que você precisa tomar também são bastante diferentes do que você provavelmente está acostumado. Este também é um tópico extremamente importante, pois, embora o Bitcoin lhe forneça muito poder e liberdade, também o torna responsável por cuidar dos seus fundos. Portanto, você deve investir algum tempo e esforço para aprender como fazer isso de forma segura. \n\nEmbora a segurança seja um tópico complexo, podemos resumir as coisas em três objetivos principais: garantir que outras pessoas nunca tenham acesso às suas chaves privadas, garantir que você sempre tenha acesso às suas chaves privadas e evitar enviar acidentalmente seus bitcoins para golpistas e outros pares não confiáveis. +academy.security.securingYourKeysHeadline=Protegendo suas chaves +academy.security.securingYourKeysContent=Primeiramente, você deve entender uma ideia simples: não são suas chaves, não são suas moedas. Isso significa que, para você realmente possuir seu Bitcoin, ele deve ser armazenado em uma carteira onde você, e somente você, possua as chaves. Assim, manter um saldo de Bitcoin em entidades como bancos ou bolsas centralizadas não é realmente possuir o ativo, pois são essas entidades, e não você, que possuem as chaves dos seus fundos. Se você realmente deseja possuir seu bitcoin, deve armazená-lo em uma carteira pela qual apenas você controle as chaves.\n\nExistem muitas carteiras Bitcoin por aí, cada uma com seu próprio design e recursos únicos. O que todas têm em comum é que, de alguma forma, em algum lugar, elas armazenarão suas chaves privadas. Estas chaves fornecem acesso aos seus fundos. Qualquer carteira que você use, deve garantir que somente você, ou pessoas em quem você confia plenamente, tenham acesso a essas chaves. Se alguém mais tiver acesso a elas, poderá roubar seus fundos, e nada pode ser feito para reverter essa transação. Por outro lado, perder as chaves é igualmente terrível. Se você perder suas chaves, não poderá mais enviar seus fundos, e não há como retomar o controle deles. Embora isso possa parecer assustador, você pode facilmente evitar essas situações com um pouco de aprendizado e boas práticas.\n\nA maioria das carteiras Bitcoin fornecerá a você um backup de 12 ou 24 palavras, comumente conhecido como frase mnemônica ou simplesmente seedphrase. Esta frase de backup permite que você restaure sua carteira em qualquer dispositivo, tornando-se o elemento mais importante para você proteger. Geralmente é aconselhável armazenar esses backups em forma analógica, tipicamente escrevendo-os em um pedaço de papel ou em uma pequena chapa de metal, e ter várias cópias deles. Você também deve armazená-la de forma que possa encontrá-la se precisar, mas ninguém mais possa acessá-la.\n\nPara quantidades significativas de Bitcoin, é comum usar dispositivos especializados chamados Carteiras de Hardware para armazenar suas chaves. Esses dispositivos oferecem um nível superior de segurança com relação ao armazenamento de suas chaves em uma carteira de smartphone ou laptop, ao mesmo tempo que proporcionam uma experiência conveniente ao fazer transações. Você pode aprender mais sobre esses e outros tipos de carteiras na seção Carteiras do Bisq Learn. \n\nPor fim, certifique-se de evitar esquemas de armazenamento excessivamente complicados. Um plano de armazenamento avançado com muitos detalhes e sutilezas manterá os ladrões longe dos seus fundos, mas também há uma chance significativa de que você não consiga acessar sua própria carteira devido a erros, confusão ou simplesmente esquecimento de como organizou os backups. Busque um equilíbrio entre uma configuração muito simples e qualquer um poderia facilmente quebrar (como armazenar sua seedphrase em um arquivo de texto simples na área de trabalho do seu laptop) e uma que seja tão complexa que nem mesmo você possa desvendar (como armazenar as palavras da sua seedphrase em 12 livros em 12 locais diferentes). +academy.security.avoidScamsHeadline=Evite golpes +academy.security.avoidScamsContent=Outra fonte de problemas e riscos são os golpes. As transações de Bitcoin são irreversíveis, o que significa que, se alguém te enganar e você enviar algum Bitcoin e depois fugir com ele, realmente não há muito o que você possa fazer a respeito. Por isso, é comum encontrar diferentes esquemas onde as pessoas tentarão convencê-lo a enviar algum bitcoin para elas. Na maioria das vezes, golpistas apresentarão a você alguma "oportunidade" maravilhosa para ganhar dinheiro facilmente, o que tende a parecer bom demais para ser verdade. As histórias específicas e detalhes em torno desses golpes são extremamente diversos e criativos, mas o padrão comum sempre será o mesmo: será oferecido a você alguns retornos maravilhosos, mas primeiro, você terá que enviar bitcoin adiantado. Uma vez que o bitcoin é enviado, provavelmente você nunca mais o verá voltar para você. Defender-se desses golpes é simples: interaja apenas com empresas e pessoas respeitáveis e confiáveis. Se você achar que alguma entidade é suspeita, peça referências ou simplesmente evite-a. Se uma oportunidade que parece quase boa demais para ser verdade for oferecida a você, provavelmente é, e você deve ficar longe dela. + + +###################################################### +## Privacy +###################################################### + +academy.privacy.subHeadline=Seus dados são seus. Mantenha-os assim. +academy.privacy.introContent=Manter suas informações financeiras e identidade privadas é uma necessidade comum entre os usuários de Bitcoin. É natural e lógico não querer que outras pessoas saibam sobre seus fundos e transações sem o seu consentimento. Afinal, você não usaria uma camiseta com o saldo da sua conta bancária e relatórios do cartão de crédito enquanto caminha pela rua, usaria? Privacidade é um tópico importante no Bitcoin porque a natureza transparente das transações e endereços do Bitcoin torna os erros nesta área especialmente custosos. Nesta seção, abordamos alguns pontos sobre privacidade na sua jornada com Bitcoin. +academy.privacy.whyPrivacyHeadline=Por que a privacidade é relevante +academy.privacy.whyPrivacyContent=Muitos usuários valorizam a liberdade que o Bitcoin lhes proporciona para possuir seus bens e transacionar livremente e sem permissão com outros. Mas sem boas práticas de privacidade, essas características do Bitcoin são seriamente erodidas. Divulgar informações sobre si mesmo e seus fundos em Bitcoin coloca você em risco de vários tipos de ataques de outros que restringirão sua própria liberdade. Refletir sobre quais dados você está compartilhando e estar atento a isso evitará que você cometa erros caros que possa se arrepender mais tarde.\n\nA primeira questão óbvia ao revelar sua identidade e detalhes sobre seus fundos é a segurança pessoal. Se alguém souber detalhes como quanto bitcoin você possui, onde você mora e que tipo de carteira você está usando, poderá facilmente tramar um ataque físico contra você para obter suas chaves. Isso é especialmente tentador em comparação com contas bancárias em moeda nacional, já que as transações de Bitcoin são irreversíveis. Assim, se um ladrão conseguir forçá-lo a enviar seu bitcoin para um endereço próprio, ou simplesmente roubar as chaves de sua carteira e fazer isso por conta própria, não haverá como cancelar essa transação e seu bitcoin não será mais seu. Manter sua identidade e detalhes financeiros privados evita que você se torne um alvo desse tipo de ataque.\n\nOutro bom motivo para manter seus detalhes privados é o perigo representado por regulamentos e ações governamentais hostis. Governos ao redor do mundo repetidamente tomaram ações contra a propriedade privada de seus cidadãos de várias maneiras. Um ótimo exemplo disso é a Ordem Executiva 6102, que tornou ilegal para cidadãos dos EUA possuir ouro e causou a confiscação unilateral de ouro para milhões de cidadãos dos EUA. Assim como com ladrões comuns, garantir que entidades e pessoal do governo não tenham informações sobre você e seus fundos protege você caso o governo inicie uma política negativa contra proprietários de Bitcoin.\n\nNo geral, você provavelmente apenas não quer que outros saibam quanto Bitcoin você possui ou quais transações você realiza. Assim como protegemos nossas contas bancárias com vários métodos para que apenas nós possamos verificar nossos saldos e movimentações, faz sentido garantir que outros não tenham a capacidade de visualizar as transações e seus detalhes, como quando, quanto ou com quem transacionamos. +academy.privacy.giveUpPrivacyHeadline=Como abrimos mão da nossa privacidade +academy.privacy.giveUpPrivacyContent=Existem muitas maneiras pelas quais alguém pode divulgar voluntária ou acidentalmente detalhes pessoais. Na maioria das vezes, isso é fácil de prevenir com um pouco de bom senso, já que frequentemente apenas entregamos nossos detalhes por não pensar sobre isso. Vazamentos mais sutis exigirão algum conhecimento técnico e tempo. Mas a boa notícia é que, com esforço mínimo, os problemas mais significativos podem ser evitados.\n\nO campeão claro de erros de privacidade, tanto pela frequência quanto pela gravidade, é simplesmente fornecer seu ID voluntariamente ao comprar ou vender Bitcoin. Atualmente, a maioria das bolsas centralizadas (empresas como Coinbase, Kraken, Binance, etc.) estão sujeitas a regulamentações governamentais de KYC (KYC significa Conheça Seu Cliente). Isso significa que governos obrigam essas empresas a pedir seu passaporte, carteira de identidade nacional, carteira de motorista ou documentos similares para que essas informações possam ser associadas à sua conta. A partir do momento em que você as fornece, cada compra e venda que você faz será registrada e vinculada a você. Além disso, a bolsa e as agências governamentais terão total visibilidade dos seus saldos a qualquer momento. Mesmo que você decida retirar seu Bitcoin dessas bolsas e colocá-lo em uma carteira de sua custódia, essas partes poderão rastrear para quais endereços seus fundos foram enviados. E se isso não for preocupante o suficiente, há outra preocupação a ter em mente: se algum hacker ganhar acesso aos bancos de dados dessas empresas, suas informações podem ser vazadas publicamente na internet, permitindo que qualquer pessoa no mundo saiba todas as suas informações pessoais e financeiras armazenadas. Esta é uma situação que já aconteceu várias vezes nos últimos anos, com consequências terríveis para alguns dos clientes afetados das bolsas.\n\nOutra área que requer atenção é a reutilização de endereços. Toda vez que você fornecer a alguém um endereço de sua carteira para receber algum bitcoin deles, essa pessoa saberá que este endereço pertence a você. Isso significa que, a partir desse ponto, a pessoa poderá monitorar o endereço e toda a sua atividade. Se você reutilizar este endereço repetidamente, cada pessoa com quem interagir poderá ver as diferentes transações passando pelo endereço, incluindo quando acontecem, de onde os fundos vêm e para onde vão, e os montantes sendo transacionados. Portanto, recomenda-se usar endereços para receber bitcoin apenas uma vez. A maioria das carteiras cuidará disso automaticamente para você, mas ainda é importante para você entender por que isso é uma boa prática.\n\nFinalmente, depender dos nós de outras pessoas para ler dados da blockchain significa que o operador do nó pode potencialmente monitorar quais endereços sua carteira está interessada. Ao lidar com quantidades significativas de Bitcoin, vale a pena aprender como rodar seu próprio nó e conectar sua carteira a ele. Ou, pelo menos, ter cuidado sobre qual nó você está se conectando e escolher um de uma pessoa ou organização em quem você confia, como um amigo mais experiente em Bitcoin ou uma comunidade local de Bitcoin. +academy.privacy.bisqProtectsPrivacyHeadline=Bisq ajuda a proteger sua privacidade +academy.privacy.bisqProtectsPrivacyContent=Bisq permite que você compre e venda Bitcoin com outros pares. Essa simples diferença traz um mundo de vantagens em relação à privacidade quando comparada ao uso de bolsas centralizadas. Ao usar Bisq, você protege sua segurança e privacidade de governos, empresas e outras terceiras partes hostis que de outra forma registrariam e usariam seus dados contra seus próprios interesses.\n\nQuando você realiza transações no Bisq, apenas você e seu par conhecem os detalhes da transação. E mesmo entre vocês dois, as informações que precisam ser compartilhadas são completamente minimizadas e restritas aos detalhes de pagamento estritamente necessários, como, por exemplo, o número da sua conta bancária se você desejar receber um pagamento em moeda fiduciária na sua conta bancária. Isso significa que não há necessidade de fornecer informações como seu ID, endereço, etc. Além disso, a capacidade de interagir com diferentes pares em cada negociação impede que qualquer indivíduo acumule dados sobre você ao longo do tempo, distribuindo assim o seu histórico de transações entre diferentes contrapartes e impedindo que uma única entidade tenha uma visão completa da sua vida financeira. O Bisq também permite que você receba qualquer bitcoin que compre diretamente em um endereço de uma carteira que você controla, permitindo que você mantenha controle dos seus fundos em todos os momentos e os distribua por diferentes endereços, de modo que nenhum par único possa monitorar toda a sua carteira.\n\nE lembre-se: Bisq é apenas um software que roda no seu computador e se conecta à internet apenas através de redes amigáveis à privacidade, como Tor e I2P. Você nem precisa se registrar em lugar algum de maneira pseudônima. Por causa disso, ninguém pode sequer saber que você está usando o Bisq, e sua comunicação com outros participantes não pode ser monitorada, rastreada ou acessada por terceiros. + + +###################################################### +## Wallets +###################################################### + +academy.wallets.subHeadline=Escolhendo as ferramentas certas para manusear e proteger seu bitcoin. +academy.wallets.whatIsAWalletHeadline=O que é uma carteira +academy.wallets.whatIsAWalletContent=Carteiras são suas ferramentas para realizar as ações mais fundamentais no Bitcoin: recebê-lo, armazená-lo e enviá-lo. Como o Bitcoin é um sistema aberto, qualquer um pode construir uma carteira para ele, e muitas diferentes existem. Isso é ótimo porque significa que você tem muitas opções diferentes no mercado para escolher, e você pode até usar várias carteiras diferentes para cobrir diferentes necessidades.\n\nGeralmente, uma carteira é um software que faz várias coisas para você: ela lê a blockchain para verificar o saldo dos endereços que você controla. Ela pode construir e enviar transações quando você quer pagar alguém. E ela mantém suas chaves para que você possa assinar suas transações. Algumas dessas características se apresentam de forma diferente em diferentes carteiras, e algumas carteiras cobrem apenas partes delas. Para entender isso melhor, é útil estar familiarizado com as diferentes características que tornam as carteiras diferentes umas das outras.\n\nPrimeiro, você deve entender a diferença entre uma carteira quente e uma carteira fria. Uma carteira quente é um software onde as chaves que controlam seu bitcoin são armazenadas em um dispositivo conectado à internet. Uma carteira fria, por outro lado, é uma configuração onde suas chaves são armazenadas em um dispositivo que nunca é conectado à internet, e você usa um software diferente para rastrear seu saldo e preparar e enviar transações. Carteiras quentes são tipicamente um aplicativo simples no seu telefone ou laptop. Uma carteira fria, por outro lado, significa que você usa um software no seu telefone ou laptop que não armazena suas chaves, e você combina isso com um segundo dispositivo que armazena as chaves e nunca se conecta à internet. Esse segundo dispositivo pode ser um laptop ou smartphone dedicado, ou mais comumente, uma carteira de hardware. Carteiras quentes são mais simples de gerenciar e usar, mas são também menos seguras. Carteiras frias requerem uma configuração um pouco mais complexa e trabalhosa, mas oferecem um grau de segurança muito mais alto contra hacks e erros no manuseio das chaves. Como gerenciar os riscos de administrar seus fundos é uma decisão pessoal, mas geralmente é recomendado usar carteiras quentes como sua carteira tradicional para notas e moedas no seu bolso, e carteiras frias como um cofre em um banco. Você não carregaria um milhão de dólares na sua carteira. E você não usaria o conteúdo do seu cofre para pagar um café.\n\nCarteiras de hardware são dispositivos físicos especiais projetados e fabricados com o único propósito de armazenar as chaves dos seus fundos e assinar transações com essas chaves. Eles oferecem uma maneira conveniente de assinar transações para gastar seus fundos, enquanto armazenam suas chaves de forma segura que impede vazá-las para outros. Usar uma carteira de hardware melhora sua segurança em ordens de magnitude em comparação ao uso de uma carteira quente no seu computador principal ou smartphone. Se você está começando sua jornada no Bitcoin, você não precisa ter uma carteira desde o primeiro dia, mas provavelmente vai querer obter uma assim que começar a acumular uma quantidade de bitcoin que doeria perder. Existem muitas carteiras de hardware no mercado, com preços típicos em torno de $100.\n\nE uma nota final: um saldo em uma bolsa centralizada não é uma carteira. Já que você não controla as chaves, você está confiando e dependendo da bolsa centralizada para realmente manter seu bitcoin. Se, por qualquer motivo, eles não o enviarem a você quando você decidir sacar, não há como você retomar o controle dele. Lembre-se: não são suas chaves, não são suas moedas. +academy.wallets.howToPickHeadline=Como escolher uma carteira +academy.wallets.howToPickContent=Escolher a carteira certa para você é uma decisão que depende de muitos fatores, como como você vai usar o Bitcoin, quais quantias você vai manusear, ou quais dispositivos você possui. No entanto, existem algumas recomendações gerais que você pode seguir e carteiras específicas que têm um bom histórico.\n\nO primeiro e mais importante conselho geral é escolher uma carteira de código aberto. Garantir que o código da sua carteira seja verificável é fundamental. Você pode aprender mais sobre isso na seção Código Aberto do Bisq Learn. Outra recomendação importante é escolher uma carteira que não suporte outras criptomoedas além do Bitcoin. Carteiras que lidam com várias criptomoedas precisam usar um código mais complexo para trabalhar com as diferentes moedas suportadas, o que introduz riscos de segurança maiores. Portanto, é melhor escolher uma carteira exclusiva para Bitcoin para seus fundos. Finalmente, tente procurar por carteiras que existam há um tempo, tenham bases de usuários fortes e uma boa reputação. É melhor deixar carteiras novíssimas para uso avançado ou experimentos no máximo.\n\nSe você planeja usar sua carteira no seu smartphone, aconselhamos olhar para uma das seguintes carteiras: Bluewallet, Blockstream Green ou Nunchuk. Por outro lado, se você quer usar um PC, sugeriríamos usar uma das seguintes: Sparrow, Bluewallet, Electrum, Blockstream Green ou Nunchuk. Estas são todas boas carteiras para iniciantes. Você pode experimentar várias delas para encontrar qual mais lhe agrada, ou até usar várias simultaneamente se quiser. À medida que você adquire mais experiência e conhecimento, pode começar a desenvolver preferências dependendo dos recursos mais avançados que tornam essas carteiras um pouco diferentes umas das outras.\n\nUma vez que você tenha fundos suficientes para começar a levar a segurança ainda mais a sério, provavelmente fará sentido adquirir uma carteira de hardware. Com uma carteira de hardware, você poderá armazenar suas chaves nela e assinar transações com ela, enquanto ainda pode usar um software como Sparrow, Bluewallet ou Nunchuk para ler seu saldo e preparar transações. Quando se trata de carteiras de hardware, a maioria dos mesmos conselhos se aplica: escolha carteiras que tenham designs transparentes e públicos, que suportem apenas Bitcoin e que tenham uma boa reputação e histórico comprovado. Algumas marcas bem conhecidas são Coldcard, Bitbox, Trezor ou Foundation.\n\nO mundo das carteiras é rico e diversificado, o que é ótimo e confuso ao mesmo tempo. É perfeitamente normal se sentir um pouco sobrecarregado no início. Se você está apenas começando, aconselhamos pesquisar um pouco, experimentar algumas das opções que compartilhamos com você e, uma vez que encontrar uma com a qual se sinta confortável, apegue-se a ela. À medida que você continua aprendendo mais sobre o Bitcoin, você sempre pode explorar novas opções mais avançadas e mudar para qualquer outra carteira, ou usar várias delas, quando quiser. + + +###################################################### +## Free Open Source Software +###################################################### + +academy.foss.subHeadline=Aprenda sobre código aberto e como ele impulsiona o Bitcoin e o Bisq +academy.foss.bitcoinAndFossHeadline=Bitcoin e software de código aberto +academy.foss.bitcoinAndFossContent=O software de código aberto é um software cujo código é publicamente acessível e qualquer um pode ler, copiar e modificar esse código da maneira que achar melhor. Isso contrasta com o software de código fechado ou proprietário, onde o autor original decide manter o código para si e mais ninguém tem acesso ou permissão para ele. Embora isso possa parecer um tópico técnico, é do seu interesse entender as implicações do software de código aberto em sua jornada com o Bitcoin. Vamos mergulhar nisso.\n\nO mundo do Bitcoin é profundamente influenciado por e relacionado ao software de código aberto. O software Bitcoin é de código aberto desde o primeiro dia. Bisq também é um projeto de código aberto. Muitas outras tecnologias ao redor, como clientes Lightning, serviços de mistura ou firmware de mineração, são tipicamente construídas como projetos de código aberto. Muitas carteiras também são de código aberto, e como discutimos na seção de Carteiras do Bisq Learn, recomendamos fortemente que você escolha carteiras que sejam de código aberto.\n\nPor que isso é assim? Softwares de código fechado são geralmente construídos e mantidos em privado por empresas e indivíduos que querem cobrar dos outros por licenças e manter o controle total do projeto. No espaço Bitcoin, isso raramente acontece. O Bitcoin é um sistema aberto e acolhedor por natureza, e o código é uma representação disso. Qualquer um pode ver o código, modificá-lo, compartilhar cópias de sua própria versão com outros e, simplesmente, fazer o que quiser com ele. Bisq também é um projeto de código aberto onde todos são bem-vindos para participar, expandir a aplicação e fazer melhorias de diferentes maneiras. +academy.foss.openSourceBenefitsHeadline=Como o código aberto beneficia você +academy.foss.openSourceBenefitsContent=Você pode pensar que, como não é um desenvolvedor de software, se o código de algum software é público ou não tem pouca relevância para você. Isso não é verdade. Mesmo que você não planeje olhar ou modificar o código dos aplicativos que está usando, sua experiência com eles será profundamente afetada por se o código é de código aberto ou fechado. Isso é ainda mais crítico quando estamos falando do software que vai gerenciar sua vida financeira e apoiar sua capacidade de economizar, receber e enviar dinheiro. Geralmente, usar software de código aberto será mais benéfico para você do que usar equivalentes de código fechado. Vamos detalhar algumas razões importantes que tornam isso importante para você.\n\nUma razão muito importante para escolher software de código aberto é a segurança. Como o software de código aberto pode ser lido por qualquer pessoa, hackers e atores maliciosos regularmente tentam encontrar erros e brechas de segurança nele. Você pode pensar que isso é perigoso, mas na verdade é o contrário! Isso acontece porque o fato de o código ser aberto para todos significa que qualquer um pode procurar por problemas de segurança e apontá-los, corrigi-los ou explorá-los maliciosamente. Coletivamente, a comunidade de usuários e desenvolvedores em torno do projeto será capaz de identificar e corrigir a maioria dos erros rapidamente, muitas vezes até mesmo antes de serem lançados. E se alguém usa esse erro de forma maliciosa para explorar o software, não demorará muito até ser percebido e soluções serem aplicadas. Em software de código fechado, apenas a pequena equipe paga por trás do projeto está revisando o código, o que resulta em uma chance muito maior de erros passarem despercebidos. Mais olhos, menos bugs. E empresas também têm um incentivo para não divulgar o fato de que seus produtos de código fechado têm problemas de segurança, o que leva a muitos bugs e hacks sendo mantidos em segredo em vez de divulgados. Finalmente, como em projetos de código fechado apenas a equipe de desenvolvimento pode ver o código, como você ou qualquer outra pessoa pode ter plena confiança de que o software é seguro? Isso se liga a um ditado comum na cultura Bitcoin: não confie, verifique. No geral, software de código aberto leva a resultados muito mais seguros e robustos do que software de código fechado.\n\nOutro ótimo motivo para escolher software de código aberto sobre código fechado é a continuidade a longo prazo do primeiro. Código que é público não depende de nenhuma entidade ou indivíduo para ser mantido ao longo do tempo. Mesmo que a equipe original por trás de um projeto eventualmente desapareça, outros podem assumir e continuar mantendo e evoluindo-o. O maior exemplo disso é o próprio Bitcoin: embora seu criador pseudônimo, Satoshi Nakamoto, tenha desaparecido há mais de dez anos, o projeto continuou crescendo e prosperando além de todas as expectativas. Assim, toda vez que você escolhe software de código aberto sobre código fechado, você está reduzindo drasticamente as chances de alguma empresa ou desenvolvedor deixá-lo na mão com algum software sem manutenção que desaparece e se torna obsoleto.\n\nFinalmente, projetos de código aberto com uso generalizado, como Bitcoin, Bisq ou carteiras como Electrum, tendem a levar a produtos de alta qualidade ao atrair os melhores talentos. A natureza aberta dos projetos permite que qualquer um colabore, e muitos desenvolvedores excelentes no espaço preferem colaborar construindo em cima de um bom projeto do que começar um esforço duplicado do zero. Com o tempo, as contribuições acumuladas desses indivíduos levam a resultados impressionantes que frequentemente eclipsam o que a maioria das empresas, mesmo as bem financiadas, poderia alcançar.\n\nResumindo, escolher opções de código aberto para suas ferramentas Bitcoin vem com um ótimo conjunto de vantagens que ajudam você a desfrutar de produtos seguros e úteis de alta qualidade. Esperamos que você se torne curioso sobre a natureza do código que usa em sua vida diária e que faça escolhas informadas sobre o software que executa. diff --git a/shared/domain/src/commonMain/resources/mobile/academy_ru.properties b/shared/domain/src/commonMain/resources/mobile/academy_ru.properties new file mode 100644 index 00000000..15e1c72b --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/academy_ru.properties @@ -0,0 +1,94 @@ +###################################################### +## Academy (Learn section) +###################################################### + +academy.overview=Обзор + +academy.overview.subHeadline=Путеводитель автостопщика по криптоверсии +academy.overview.content=Bisq и члены биткойн-сообщества предоставляют контент для изучения биткойн-пространства и помогают отфильтровать сигнал от шума. +academy.overview.selectButton=Узнать больше + +academy.overview.bisq=Bisq +academy.overview.bisq.content=Узнайте о Bisq, DAO Bisq. И узнайте, почему Bisq важен для вашей безопасности, конфиденциальности и для поддержания соответствия Биткойна его основным ценностям. +academy.overview.bitcoin=Биткойн +academy.overview.bitcoin.content=Глубоко погрузитесь в кроличью нору Сатоши. Узнайте о концепциях, лежащих в основе блокчейна, майнинга и о том, что делает биткойн уникальным. +academy.overview.security=Безопасность +academy.overview.security.content=Узнайте о концепциях безопасности, связанных с обращением с вашими средствами Bitcoin. Убедитесь в том, что вы знаете лучшие методы обеспечения безопасности ваших биткойнов. +academy.overview.privacy=Конфиденциальность +academy.overview.privacy.content=Почему конфиденциальность важна? Чем чреват сбор компаниями ваших данных? Почему конфиденциальность является требованием либерального общества и безопасности? +academy.overview.wallets=Кошельки +academy.overview.wallets.content=Хотите узнать, какой кошелек лучше всего подойдет для ваших нужд? Читайте здесь о лучших вариантах кошельков. +academy.overview.foss=Открытый исходный код +academy.overview.foss.content=Bisq - это бесплатное программное обеспечение с открытым исходным кодом (FOSS), основанное на лицензии GPL. Почему FOSS важно? Хотите внести свой вклад? + + +###################################################### +## Bisq +###################################################### + +academy.bisq.subHeadline=Bisq - это бесплатное программное обеспечение с открытым исходным кодом для обмена биткоина на фиатные валюты или другие криптовалюты в децентрализованном режиме с минимальным уровнем доверия. +academy.bisq.exchangeDecentralizedHeadline=Биржа, децентрализованная +academy.bisq.exchangeDecentralizedContent=Bisq - это обменное приложение, где вы можете покупать и продавать биткоин за национальные валюты или другие криптовалюты. В отличие от большинства альтернативных бирж, Bisq является децентрализованной и одноранговой.\n\nОна децентрализована, потому что не зависит и не контролируется ни одной компанией, командой или правительством. Децентрализация делает Bisq устойчивой сетью: как и Bitcoin, она существует благодаря таким пользователям, как вы. Поскольку нет единого элемента, на который все опирается, кому-то очень сложно остановить или навредить сети. Сеть является одноранговой, потому что каждая ваша сделка сопоставляется с другой сделкой такого же пользователя, как и вы. Это помогает защитить вашу конфиденциальность от централизованных элементов, таких как правительства и традиционные финансовые учреждения. Это также делает Bisq безразрешительной: вам не нужно ничье разрешение, чтобы использовать ее, и никто не может помешать вам это сделать.\n\nВ настоящее время существует два приложения: Bisq 1 и Bisq 2. Bisq 2 - это приложение, в котором вы сейчас читаете эту статью. Мы рекомендуем вам познакомиться с Bisq 2, прежде чем пытаться узнать больше о Bisq 1. +academy.bisq.whyBisqHeadline=Почему Bisq +academy.bisq.whyBisqContent=Для многих пользователей Bisq является предпочтительным методом покупки или продажи биткоина в обмен на национальные валюты. Это связано с тем, что природа Bisq приводит к совершенно иному опыту, чем у централизованных бирж.\n\nПользователи также ценят конфиденциальность Bisq. Чтобы пользоваться Bisq, вам не нужно предоставлять какую-либо личную информацию. Когда вы торгуете, вам нужно только сообщить платежные реквизиты вашему торговому партнеру. Никто другой не имеет доступа к этим данным, и нет никакой центральной базы данных, где вся ваша информация и транзакции будут храниться годами или десятилетиями.\n\nBisq также позволяет пользователям преодолевать любые недостатки, которые могут быть произвольно наложены местными правительствами или финансовыми учреждениями. Примерами могут быть правительства, объявляющие владение или торговлю биткоинами незаконными, или банки, запрещающие клиентам отправлять собственные деньги в обменные учреждения. Пользователи, оказавшиеся в подобной ситуации, находят в Bisq способ обойти исключение из традиционной финансовой системы по тем или иным причинам.\n\nНаконец, Bisq - это безопасный способ обмена биткоина и национальных валют. Существующие торговые протоколы и системы репутации не позволяют злоумышленникам украсть ваши средства. Посредники всегда готовы поддержать вас, если другой участник ведет себя неадекватно, и при необходимости вмешаются, чтобы выработать решение для вашего случая. Результат: Пользователи Bisq могут с удовольствием торговать с другими людьми, не опасаясь быть обманутыми и потерять свои средства. +academy.bisq.tradeSafelyHeadline=Безопасная торговля +academy.bisq.tradeSafelyContent=Обмен биткоинов и национальных валют с другими равными по статусу людьми дает такие преимущества, как отсутствие зависимости от компаний и защита вашей конфиденциальности. Но вы можете задаться вопросом: как я могу узнать, честен ли тот, с кем я торгую? Не окажусь ли я обманутым? Это обоснованные опасения, которые всегда следует иметь в виду и которые Bisq решает несколькими способами, обеспечивая безопасную торговлю.\n\nРазличные торговые протоколы (можно считать, что протокол - это правила, которым должны следовать вы и ваш коллега) минимизируют риск того, что кто-то из участников может обмануть своего коллегу во время торговли. Обычно существует компромисс между безопасностью и удобством: одни протоколы более надежны, другие - более удобны и быстры. Вы сами решаете, какой протокол использовать в каждой сделке, в зависимости от ваших предпочтений и потребностей, а также от торгуемой суммы. Такие протоколы, как Bisq Easy, рекомендуются для небольших сумм, в то время как более надежные и структурированные протоколы, такие как Bisq MuSig, целесообразны для больших сумм.\n\nЕсли у вас возникнет конфликт с коллегой по торговле или он просто исчезнет и не будет реагировать на ваши действия, вы не останетесь в одиночестве. Посредники и арбитры всегда готовы дать совет и предложить решение в таких ситуациях. Эти роли будут наблюдать за каждым случаем, предлагать дружественные решения между трейдерами и, возможно, принимать окончательные решения, если договоренности не будут достигнуты. Если вы действовали честно и следовали правилам, исход дела будет в вашу пользу, и вы никогда не потеряете свои средства.\n\nВ общем, Bisq спроектирован таким образом, чтобы свести к минимуму необходимость доверять другим пользователям и не допускать мошенничества и других недобросовестных действий. Это приводит к тому, что лишь немногие сделки вызывают какие-либо конфликты, а те, которые все же возникают, всегда решаются разумным способом - через посредничество и/или арбитраж. Результат: торговля на Bisq - это безопасный и беспроблемный опыт. + + +###################################################### +## Bitcoin +###################################################### + +academy.bitcoin.subHeadline=Одноранговая электронная наличность, позволяющая отправлять онлайн-платежи напрямую, без посредников. +academy.bitcoin.whatIsBitcoinHeadline=Что такое биткойн +academy.bitcoin.whatIsBitcoinContent=Биткойн - крупнейшая и самая популярная криптовалюта в мире. Это цифровая форма наличных денег, которая позволяет любому человеку отправлять ценности другим людям без посредников. Криптовалюта появилась в 2009 году и с тех пор получила огромное развитие, завоевав признание во всем мире благодаря своим уникальным и привлекательным свойствам.\n\nБиткойн отличается от всех национальных валют по нескольким параметрам. Биткойн не контролируется и не выпускается каким-либо правительством или учреждением. Он децентрализован и существует только благодаря тысячам людей по всему миру, которые его используют. Это делает его нейтральными деньгами, в которых никто не находится в привилегированном положении, позволяющем злоупотреблять ими. Это также означает, что вы можете свободно использовать биткойн, не требуя никаких разрешений, и никто в системе не обладает большей властью, чем вы. Это открытая система, которая принимает всех. Еще одним важным свойством является то, что вы можете держать биткойн в самообладании. Другими словами, вы можете владеть им сами, не завися от какой-либо другой компании или организации. Если сравнивать его с традиционными валютами, то он больше похож на наличные в вашем кармане (которые вы полностью контролируете), чем на баланс на банковском счете (где вы подчиняетесь условиям и желаниям банка). Благодаря этому вы также всегда можете свободно отправлять биткойны: для этого не нужно ничье одобрение, а ваши транзакции нельзя остановить или отменить. Третий интересный аспект заключается в том, что количество биткоинов ограничено максимальным числом в 21 миллион. Это означает, что стоимость каждого биткоина, в отличие, например, от стоимости каждого доллара, не может быть снижена путем создания большего количества биткоинов. Биткойн создается в ходе дорогостоящего процесса, называемого майнингом, и график эмиссии и максимальное количество, которое может быть создано, строго определены и не могут быть изменены. Это делает предложение ограниченным, определенным и предсказуемым, что делает биткоин привлекательным из-за его дефицита и надежности. +academy.bitcoin.whyUseBitcoinHeadline=Зачем использовать биткойн +academy.bitcoin.whyUseBitcoinContent=Свойства биткоина делают его уникальным активом, который привлекает разных людей по разным причинам. То, насколько биткоин привлекателен для вас, зависит от вашего профиля и потребностей.\n\nОдна из самых распространенных причин, по которой люди используют биткойн, - это его способность сохранять стоимость в течение долгого времени. Национальные валюты большинства стран мира со временем постоянно теряют в цене из-за обесценивания. Это означает, что, храня свои сбережения в наличных или на банковском счете, вы постепенно теряете их, поскольку их стоимость со временем падает. Ограниченное предложение биткойна не позволяет этому случиться, поэтому даже если в краткосрочной перспективе он ведет себя нестабильно, это мощный инструмент для сохранения вашего богатства в долгосрочной перспективе.\n\nЕще одна причина, по которой люди используют биткойн, - это защита от действий и решений правительств и финансовых институтов. Поскольку биткойн - это то, чем вы можете владеть, отправлять и получать без каких-либо разрешений, на его стоимость не влияют такие ситуации, как печать центральным банком большего количества единиц национальной валюты, решение банка заблокировать ваши переводы по произвольным причинам или введение правительством конфискаций для своего населения. В биткойне правила игры хорошо известны и предсказуемы, и вы можете рассчитывать на то, что сеть будет справедливой и будет относиться ко всем одинаково.\n\nБиткойн также очень привлекателен для тех, кто участвует в международной торговле и стремится отправлять или получать деньги в другие страны или регионы. Биткойн не имеет понятия о границах и работает одинаково, отправляете ли вы деньги своему соседу или кому-то на другом конце света. Поскольку платежи людям или компаниям в разных регионах мира обычно означают долгое ожидание, значительные комиссии и громоздкую бюрократию, некоторые люди выбрали биткойн в качестве простой и удобной альтернативы для межрегиональных платежей. Это также означает, что вы можете использовать его для отправки денег в страны, которые ваше правительство или банк решили заблокировать.\n\nНаконец, некоторые люди выбрали биткойн за его простоту и удобство. В этом смысле биткоин имеет много преимуществ по сравнению с традиционными валютами. С ним вам не нужно иметь дело с контрактами и долгими бюрократическими процессами, чтобы сделать такую простую вещь, как открытие счета. Вы можете легко получить доступ к своим деньгам на всех своих устройствах. Вы можете отправлять их куда угодно и кому угодно, не прибегая к различным формам оплаты (наличные, банковские переводы различных видов, кредитные карты и т. д.). Вы можете легко защитить и обезопасить свои средства, обладая необходимыми знаниями, и вам не придется беспокоиться о том, что кто-то может украсть ваш кошелек или данные кредитной карты.\n\nБиткойн - это огромный и инновационный шаг вперед в мире денег и платежей. Почти наверняка найдется причина, по которой биткойн может оказаться привлекательным и полезным для ваших нужд, поэтому мы советуем вам узнать больше и познакомиться с ним. + + +###################################################### +## Security +###################################################### + +academy.security.subHeadline=Обеспечьте себе и только себе постоянный доступ к своим средствам +academy.security.introContent=Поскольку по принципу работы биткойн сильно отличается от национальных валют, меры предосторожности, которые вам необходимо предпринять, также сильно отличаются от тех, к которым вы, вероятно, привыкли. Это очень важная тема, потому что, хотя биткойн дает вам много власти и свободы, он также заставляет вас заботиться о сохранности ваших средств. Поэтому вам следует потратить некоторое время и усилия на то, чтобы научиться делать это безопасно.\n\nХотя безопасность - это сложная тема, мы можем свести ее к трем основным целям: гарантировать, что другие люди никогда не получат доступ к вашим приватным ключам, гарантировать, что у вас всегда будет доступ к вашим приватным ключам, и избежать случайной отправки ваших биткоинов мошенникам и другим ненадежным партнерам. +academy.security.securingYourKeysHeadline=Обеспечение сохранности ключей +academy.security.securingYourKeysContent=Прежде всего, вы должны понять одну простую идею: не ваши ключи, не ваши монеты. Это означает, что для того, чтобы вы действительно владели своим биткоином, он должен храниться в кошельке, ключи от которого принадлежат вам и только вам. Таким образом, хранение баланса биткоина в таких организациях, как банки или централизованные биржи, не является настоящим владением активом, поскольку именно эти организации, а не вы, владеют ключами от ваших средств. Если вы действительно хотите владеть своим биткоином, вы должны хранить его в кошельке, ключи от которого принадлежат только вам.\n\nСуществует множество биткойн-кошельков, каждый из которых имеет свой уникальный дизайн и особенности. Их объединяет то, что в них каким-то образом хранятся ваши приватные ключи. Эти ключи обеспечивают доступ к вашим средствам. Какой бы кошелек вы ни использовали, вы должны быть уверены, что доступ к этим ключам есть только у вас или у людей, которым вы полностью доверяете. Если кто-то другой получит к ним доступ, он сможет украсть у вас средства, и ничего нельзя будет сделать, чтобы отменить эту операцию. С другой стороны, потерять ключи самостоятельно не менее страшно. Если вы потеряете ключи, вы больше не сможете отправлять свои средства, и нет никакого способа вернуть контроль над ними. Хотя это может показаться пугающим, вы можете легко избежать подобных ситуаций, если немного поучитесь и будете использовать хорошие методы.\n\nБольшинство биткоин-кошельков предоставляют вам резервную копию длиной 12 или 24 слова, известную как мнемоническая фраза или просто seedphrase. Эта резервная фраза позволяет восстановить кошелек на любом устройстве, что делает ее самым важным элементом защиты. Обычно рекомендуется хранить эти резервные копии в аналоговой форме, как правило, записывая их на листе бумаги или на небольшом металлическом листке, и иметь несколько копий. Хранить их следует так, чтобы вы могли найти их, если они вам понадобятся, но никто другой не мог получить к ним доступ.\n\nПри значительных объемах биткойна для хранения ключей обычно используются специализированные устройства, называемые аппаратными кошельками. Эти устройства обеспечивают более высокий уровень безопасности по сравнению с хранением ключей в кошельке смартфона или ноутбука, а также обеспечивают удобство при совершении транзакций. Подробнее об этих и других типах кошельков вы можете узнать в разделе "Кошельки" на сайте Bisq Learn.\n\nНаконец, старайтесь избегать слишком сложных схем хранения данных. Продуманный план хранения с множеством деталей и тонкостей не позволит ворам добраться до ваших средств, но при этом существует значительная вероятность того, что вы не сможете получить доступ к собственному кошельку из-за ошибок, путаницы или просто забыв, как вы организовали резервное копирование. Стремитесь к балансу между слишком простой схемой, которую легко может нарушить любой (например, хранить вашу начальную фразу в обычном текстовом файле на рабочем столе ноутбука), и настолько сложной, которую не сможете взломать даже вы (например, хранить слова вашей начальной фразы в 12 книгах в 12 разных местах). +academy.security.avoidScamsHeadline=Избегайте мошенничества +academy.security.avoidScamsContent=Еще один источник проблем и рисков - мошенничество. Транзакции биткоина необратимы, а это значит, что если кто-то обманом заставит вас отправить ему биткоины, а потом сбежит с ними, вы мало что сможете с этим поделать. Поэтому часто встречаются различные схемы, в которых люди пытаются убедить вас отправить им немного биткоинов. Чаще всего мошенники предлагают вам замечательную "возможность" легко заработать деньги, которая, как правило, звучит слишком хорошо, чтобы быть правдой. Конкретные истории и детали, связанные с этими аферами, чрезвычайно разнообразны и креативны, но общая схема всегда выглядит одинаково: вам предложат замечательные доходы, но сначала вам нужно будет отправить биткоин заранее. Как только биткоин будет отправлен, вы, скорее всего, никогда не увидите, что он вернулся к вам. Защититься от этих мошенников очень просто: взаимодействуйте только с проверенными компаниями и людьми, заслуживающими доверия. Если вам кажется, что какая-то организация не соответствует действительности, попросите у нее рекомендации или просто избегайте ее. Если вам предлагают возможность, которая кажется слишком хорошей, чтобы быть правдой, скорее всего, так оно и есть, и вам следует держаться от нее подальше. + + +###################################################### +## Privacy +###################################################### + +academy.privacy.subHeadline=Ваши данные принадлежат вам. Сохраните их в таком виде. +academy.privacy.introContent=Сохранение конфиденциальности вашей финансовой информации и личности - общая потребность пользователей биткойнов. Естественно и логично не хотеть, чтобы другие люди знали о ваших средствах и транзакциях без вашего согласия. В конце концов, вы же не будете носить футболку с балансом вашего банковского счета и отчетами по кредитным картам, прогуливаясь по улице? Конфиденциальность - важная тема в биткойне, потому что прозрачность транзакций и адресов биткойна делает ошибки в этой области особенно дорогостоящими. В этом разделе мы рассмотрим некоторые моменты, касающиеся конфиденциальности в вашем путешествии в Биткойне. +academy.privacy.whyPrivacyHeadline=Почему конфиденциальность имеет значение +academy.privacy.whyPrivacyContent=Многие пользователи ценят свободу, которую предоставляет биткоин, - право владеть своей собственностью и свободно и без разрешения совершать сделки с другими людьми. Но без хорошей практики конфиденциальности эти возможности биткойна серьезно снижаются. Раскрывая информацию о себе и своих биткойн-средствах, вы подвергаете себя риску нескольких видов атак со стороны других людей, которые ограничат вашу свободу. Обдумывание того, какими данными вы делитесь, и осознание этого позволит вам избежать дорогостоящих ошибок, о которых вы можете пожалеть в будущем.\n\nПервая очевидная проблема, связанная с раскрытием вашей личности и подробностей о ваших средствах, - это личная безопасность. Если кому-то известны такие детали, как количество хранящихся у вас биткоинов, место вашего проживания и тип используемого кошелька, он может легко спланировать физическое нападение на вас, чтобы завладеть вашими ключами. Это особенно заманчиво по сравнению с банковскими счетами в национальной валюте, поскольку транзакции с биткоинами необратимы. Таким образом, если вору удастся заставить вас отправить биткоин на собственный адрес или просто украсть ключи от вашего кошелька и сделать это самостоятельно, отменить транзакцию будет невозможно, и ваш биткоин больше не будет вашим. Сохранение конфиденциальности вашей личности и финансовых данных не позволит вам стать жертвой подобной атаки.\n\nЕще одна веская причина хранить свои данные в тайне - опасность, которую представляют собой враждебные правительственные постановления и действия. Правительства по всему миру неоднократно принимали различные меры против частной собственности своих граждан. Отличным примером этого является исполнительный указ 6102, который сделал незаконным хранение золота гражданами США и привел к односторонней конфискации золота у миллионов граждан США. Как и в случае с обычными ворами, гарантия того, что государственные структуры и персонал не владеют информацией о вас и ваших средствах, защитит вас в случае, если правительство начнет проводить негативную политику в отношении владельцев биткоина.\n\nВ целом вы, вероятно, просто не хотите, чтобы другие знали, сколько биткойнов у вас есть и какие транзакции вы совершаете. Точно так же, как мы защищаем свои банковские счета различными методами, чтобы только мы могли проверять баланс и движение средств, имеет смысл позаботиться о том, чтобы у других не было возможности просматривать транзакции и их детали, например, когда, сколько и с кем мы совершаем операции. +academy.privacy.giveUpPrivacyHeadline=Как мы отказываемся от конфиденциальности +academy.privacy.giveUpPrivacyContent=Существует множество способов, с помощью которых человек может добровольно или случайно разгласить свои личные данные. В большинстве случаев их легко предотвратить с помощью здравого смысла, поскольку мы часто просто выдаем свои данные, не думая об этом. Некоторые более тонкие утечки требуют определенных технических знаний и времени. Но хорошая новость заключается в том, что при минимальных усилиях можно избежать самых серьезных проблем.\n\nЯвным чемпионом по ошибкам в области конфиденциальности, как по частоте, так и по степени ужасности, является простое добровольное предоставление своего идентификатора при покупке или продаже биткоина. В настоящее время большинство централизованных бирж (такие компании, как Coinbase, Kraken, Binance и т. д.) подчиняются правительственным правилам KYC (KYC расшифровывается как Know Your Customer). Это означает, что правительства заставляют эти компании запрашивать у вас паспорт, национальное удостоверение личности, водительские права или другие подобные документы, чтобы эти данные можно было связать с вашим счетом. С того момента, как вы их отдадите, каждая ваша покупка или продажа будет записываться и привязываться к вам. Кроме того, биржа и государственные органы будут иметь полную информацию о вашем балансе в любое время. Даже если вы решите вывести свой биткоин с биржи на кошелек, который вы создаете сами, эти стороны смогут отследить, на какие адреса были отправлены ваши средства. И если это не вызывает достаточной тревоги, следует помнить еще об одном факторе: если какой-нибудь хакер получит доступ к базам данных этих компаний, ваша информация может быть выложена в открытый доступ в интернет, что позволит любому человеку в мире узнать всю вашу личную и финансовую информацию. Подобная ситуация уже неоднократно происходила за последние несколько лет, что привело к ужасным последствиям для некоторых пострадавших клиентов бирж.\n\nЕще одна область, на которую следует обратить внимание, - повторное использование адресов. Каждый раз, когда вы сообщаете кому-то адрес своего кошелька, чтобы получить от него биткоины, этот человек узнает, что этот адрес принадлежит вам. Это означает, что с этого момента он может следить за адресом и всей его активностью. Если вы будете использовать этот адрес многократно, каждый человек, с которым вы общаетесь, сможет видеть различные транзакции, проходящие через этот адрес, в том числе время их проведения, откуда и куда поступают средства, а также суммы транзакций. Поэтому рекомендуется использовать адреса для получения биткоина только один раз. Большинство кошельков позаботятся об этом автоматически, но вам все равно важно понимать, почему это хорошая практика.\n\nНаконец, использование чужих узлов для чтения данных блокчейна означает, что управляющий узел потенциально может отслеживать, какими адресами интересуется ваш кошелек. При работе со значительными суммами биткойна стоит научиться управлять собственным узлом и подключать к нему свой кошелек. Или, по крайней мере, будьте внимательны к тому, к какому узлу вы подключаетесь, и выбирайте узел от человека или организации, которым вы доверяете, например, от друга, который более опытен в биткойне, или от местного биткойн-сообщества. +academy.privacy.bisqProtectsPrivacyHeadline=Bisq помогает защитить вашу конфиденциальность +academy.privacy.bisqProtectsPrivacyContent=Bisq позволяет покупать и продавать биткойн у других пользователей. Это простое отличие дает целый ряд преимуществ в отношении конфиденциальности по сравнению с централизованными биржами. Используя Bisq, вы защищаете свою безопасность и конфиденциальность от правительств, компаний и других враждебных третьих сторон, которые в противном случае могли бы записывать и использовать ваши данные против ваших же интересов.\n\nКогда вы совершаете транзакцию в Bisq, детали сделки известны только вам и вашему коллеге. И даже между вами обоими информация, которой необходимо делиться, полностью минимизирована и ограничена строго необходимыми платежными реквизитами, такими как, например, номер вашего банковского счета, если вы хотите получить фиатный платеж на свой банковский счет. Это означает, что нет необходимости предоставлять такую информацию, как ваш ID, адрес и т. д. Кроме того, возможность взаимодействовать с разными коллегами при каждой сделке не позволяет какому-то одному человеку накапливать данные о вас в течение долгого времени, таким образом распределяя историю ваших сделок между разными контрагентами и не позволяя какому-то одному субъекту иметь полное представление о вашей финансовой жизни. Bisq также позволяет вам получать любые купленные биткоины непосредственно на адрес кошелька, который вы контролируете, что позволяет вам всегда держать под контролем свои средства и распределять их по разным адресам, чтобы ни один из контрагентов не мог контролировать весь ваш кошелек.\n\nИ помните: Bisq - это всего лишь программное обеспечение, которое запускается на вашем компьютере и подключается к интернету только через такие дружественные сети, как Tor и I2P. Вам даже не нужно нигде регистрироваться под псевдонимом. Благодаря этому никто даже не узнает, что вы используете Bisq, а ваше общение с другими участниками не может быть проконтролировано, отслежено или доступно третьим лицам. + + +###################################################### +## Wallets +###################################################### + +academy.wallets.subHeadline=Выбор правильных инструментов для обработки и защиты биткоина. +academy.wallets.whatIsAWalletHeadline=Что такое кошелек +academy.wallets.whatIsAWalletContent=Кошельки - это инструмент для выполнения самых основных действий с биткоином: его получения, хранения и отправки. Поскольку Биткойн - открытая система, любой может создать для него кошелек, и существует множество различных кошельков. Это замечательно, поскольку означает, что на рынке есть множество вариантов, из которых можно выбирать, и вы даже можете использовать несколько разных кошельков для удовлетворения различных потребностей.\n\nВ целом, кошелек - это программное обеспечение, которое делает несколько вещей за вас: читает блокчейн, чтобы проверить баланс адресов, которые вы контролируете. Он может создавать и отправлять транзакции, когда вы хотите заплатить кому-то другому. В нем хранятся ваши ключи, чтобы вы могли подписывать свои транзакции. Некоторые из этих функций выглядят по-разному в разных кошельках, а некоторые кошельки охватывают только их часть. Чтобы лучше понять это, полезно ознакомиться с различными характеристиками, которые делают кошельки непохожими друг на друга.\n\nВо-первых, вы должны понимать разницу между горячим и холодным кошельком. Горячий кошелек - это программный кошелек, в котором ключи, управляющие вашими биткоинами, хранятся на подключенном к Интернету устройстве. Холодный кошелек, с другой стороны, представляет собой систему, в которой ваши ключи хранятся на устройстве, никогда не подключенном к Интернету, а для отслеживания баланса, подготовки и отправки транзакций используется другое программное обеспечение. Горячие кошельки обычно представляют собой простое приложение на телефоне или ноутбуке. Холодный кошелек, с другой стороны, означает, что вы используете программное обеспечение в телефоне или ноутбуке, которое не хранит ваши ключи, и сочетаете его со вторым устройством, которое хранит ключи и никогда не подключается к Интернету. Этим вторым устройством может быть специализированный ноутбук или смартфон, или, что более распространено, аппаратный кошелек. Горячие кошельки более просты в управлении и использовании, но они также менее безопасны. Холодные кошельки требуют чуть более сложной и громоздкой настройки, но обеспечивают гораздо более высокую степень безопасности от взломов и ошибок при работе с ключами. Как распоряжаться своими средствами - личное решение, но в целом рекомендуется использовать горячие кошельки, как традиционный кошелек для купюр и монет в кармане, и холодные кошельки, как сейф в банке. Вы же не станете носить в бумажнике миллион долларов. И вы не стали бы использовать содержимое сейфа, чтобы заплатить за кофе.\n\nАппаратные кошельки - это специальные физические устройства, которые разработаны и изготовлены с единственной целью - хранить ключи от ваших средств и подписывать транзакции этими ключами. Они обеспечивают удобный способ подписания транзакций по расходованию ваших средств, при этом ключи хранятся в надежном месте, исключающем их утечку другим лицам. Использование аппаратного кошелька повышает вашу безопасность на порядки по сравнению с использованием горячего кошелька на вашем основном компьютере или смартфоне. Если вы только начинаете свой путь в биткоинах, вам не обязательно иметь кошелек с первого дня, но вы, вероятно, захотите завести его, как только начнете накапливать сумму биткоинов, которую будет больно потерять. На рынке представлено множество аппаратных кошельков, типичная цена которых составляет около 100 долларов.\n\nИ последнее замечание: баланс на централизованной бирже - это не кошелек. Поскольку вы не контролируете ключи, вы полагаетесь на централизованную биржу и доверяете ей хранить ваши биткоины. Если по какой-то причине они не отправят его вам, когда вы решите вывести средства, у вас не будет возможности получить его. Помните: не ваши ключи, не ваши монеты. +academy.wallets.howToPickHeadline=Как выбрать кошелек +academy.wallets.howToPickContent=Выбор подходящего кошелька зависит от многих факторов, например от того, как вы собираетесь использовать биткоин, какими суммами будете оперировать или какими устройствами владеете. Тем не менее, есть несколько общих рекомендаций, которым вы можете следовать, и конкретные кошельки, которые имеют хорошую репутацию.\n\nПервый и самый важный общий совет - выбирайте кошелек с открытым исходным кодом. Убедитесь, что код вашего кошелька поддается проверке. Подробнее об этом вы можете узнать в разделе "Открытый исходный код" на сайте Bisq Learn. Еще одна важная рекомендация - выбирайте кошелек, который не поддерживает другие криптовалюты, кроме биткоина. Кошельки, поддерживающие несколько криптовалют, должны использовать более сложный код для работы с различными поддерживаемыми валютами, что создает большие риски для безопасности. Поэтому для хранения средств лучше выбрать кошелек, работающий только с биткоином. Наконец, старайтесь искать кошельки, которые существуют уже давно, имеют сильную пользовательскую базу и хорошую репутацию. Новые кошельки лучше оставить для продвинутого использования или экспериментов, не более.\n\nЕсли вы планируете использовать кошелек на смартфоне, советуем обратить внимание на один из следующих кошельков: Bluewallet, Blockstream Green или Nunchuk. С другой стороны, если вы хотите использовать ПК, мы бы посоветовали воспользоваться одним из следующих кошельков: Sparrow, Bluewallet, Electrum, Blockstream Green или Nunchuk. Все они являются хорошими кошельками для новичков. Вы можете попробовать несколько из них, чтобы найти тот, который подходит вам больше, или даже использовать несколько одновременно, если хотите. По мере накопления опыта и знаний у вас могут появиться предпочтения в зависимости от более продвинутых функций, которые делают эти кошельки немного отличающимися друг от друга.\n\nКогда у вас будет достаточно средств, чтобы начать относиться к безопасности еще более серьезно, вероятно, имеет смысл приобрести аппаратный кошелек. С аппаратным кошельком вы сможете хранить в нем свои ключи и подписывать транзакции с его помощью, а для чтения баланса и подготовки транзакций по-прежнему использовать программное обеспечение, например Sparrow, Bluewallet или Nunchuk. Что касается аппаратных кошельков, то здесь применимы те же советы: выбирайте кошельки с прозрачным и публичным дизайном, поддерживающие только Биткойн и имеющие хорошую репутацию и послужной список. Среди известных брендов - Coldcard, Bitbox, Trezor или Foundation.\n\nМир кошельков богат и разнообразен, что одновременно радует и сбивает с толку. Совершенно нормально, если поначалу вы будете немного ошеломлены. Если вы только начинаете, мы бы посоветовали немного поискать, примерить на себя несколько вариантов, которыми мы с вами поделились, и, найдя тот, с которым вам будет комфортно, придерживаться его. По мере того как вы будете узнавать о биткойне все больше и больше, вы всегда сможете изучить новые и более продвинутые варианты и перейти на любой другой кошелек или использовать несколько из них, когда захотите. + + +###################################################### +## Free Open Source Software +###################################################### + +academy.foss.subHeadline=Узнайте об открытом коде и о том, как он используется в биткойне и Bisq +academy.foss.bitcoinAndFossHeadline=Биткойн и программное обеспечение с открытым исходным кодом +academy.foss.bitcoinAndFossContent=Программное обеспечение с открытым исходным кодом - это программное обеспечение, код которого находится в открытом доступе, и каждый может читать, копировать и изменять этот код по своему усмотрению. Это отличается от закрытого или несвободного программного обеспечения, где автор решает держать код при себе, и никто другой не имеет к нему доступа или разрешения. Несмотря на то, что это может показаться технической темой, в ваших интересах понять, как программное обеспечение с открытым исходным кодом повлияет на ваш путь к биткоину. Давайте погрузимся в эту тему.\n\nМир биткойна находится под глубоким влиянием программного обеспечения с открытым исходным кодом и связан с ним. Само программное обеспечение биткойна было с открытым исходным кодом с самого первого дня. Bisq также является проектом с открытым исходным кодом. Многие другие окружающие технологии, такие как клиенты Lightning, сервисы микширования или прошивки для майнинга, обычно создаются как проекты с открытым исходным кодом. Многие кошельки также имеют открытый исходный код, и, как мы обсуждаем в разделе "Кошельки" в Bisq Learn, мы настоятельно рекомендуем вам выбирать кошельки с открытым исходным кодом.\n\nПочему это так? Программное обеспечение с закрытым исходным кодом обычно создается и хранится в тайне компаниями и частными лицами, которые хотят взимать с других плату за лицензии и сохранять полный контроль над проектом. В биткойн-пространстве такое случается редко. Биткойн - открытая и доброжелательная система по своей природе, и код является тому подтверждением. Каждый может видеть код, изменять его, делиться копиями своей версии с другими, и, проще говоря, делать с ним все, что ему заблагорассудится. Bisq также является проектом с открытым исходным кодом, где каждый может участвовать, расширять приложение и вносить различные улучшения. +academy.foss.openSourceBenefitsHeadline=Как открытый исходный код приносит вам пользу +academy.foss.openSourceBenefitsContent=Вы можете подумать, что, поскольку вы не являетесь разработчиком программного обеспечения, то вопрос о том, является ли код какого-либо программного обеспечения публичным или нет, не имеет для вас особого значения. Это совсем не так. Даже если вы не планируете просматривать или изменять код используемых вами приложений, ваш опыт работы с ними будет сильно зависеть от того, является ли код открытым или закрытым. Это еще более важно, когда мы говорим о программном обеспечении, которое будет управлять вашей финансовой жизнью и поддерживать вашу способность сохранять, получать и отправлять деньги. Как правило, использование программного обеспечения с открытым исходным кодом будет более выгодным для вас, чем использование аналогов с закрытым исходным кодом. Давайте разберем несколько важных причин, по которым это важно для вас.\n\nОчень важной причиной выбора программного обеспечения с открытым исходным кодом является безопасность. Поскольку программы с открытым исходным кодом могут быть прочитаны любым человеком, хакеры и злоумышленники регулярно пытаются найти в них ошибки и дыры в безопасности. Вы можете подумать, что это опасно, но на самом деле все наоборот! Ведь тот факт, что код открыт для всех, означает, что любой может искать проблемы безопасности и либо указывать на них, либо исправлять самостоятельно, либо использовать их во зло. Сообщество пользователей и разработчиков, объединившихся вокруг проекта, сможет быстро обнаружить и исправить большинство ошибок, часто даже до их выпуска. А если кто-то использует эту ошибку в злонамеренных целях для эксплуатации программного обеспечения, пройдет совсем немного времени, прежде чем ее заметят и применят соответствующие решения. В закрытом программном обеспечении код просматривает только небольшая оплачиваемая команда, стоящая за проектом, а значит, вероятность того, что ошибки останутся незамеченными, гораздо выше. Больше глаз - меньше ошибок. Кроме того, у компаний есть стимул не раскрывать информацию о том, что их продукты с закрытым исходным кодом имеют проблемы с безопасностью, что приводит к тому, что многие ошибки и взломы держатся в секрете, а не раскрываются. Наконец, поскольку в проектах с закрытым исходным кодом только команда разработчиков может видеть код, как вы или кто-либо еще может быть полностью уверен в безопасности программного обеспечения? Это связано с распространенной поговоркой в культуре биткоина: не доверяй, а проверяй. В целом, программное обеспечение с открытым исходным кодом приводит к гораздо более безопасным и надежным результатам, чем программное обеспечение с закрытым исходным кодом.\n\nЕще одна веская причина выбрать открытое ПО вместо закрытого - это долгосрочная непрерывность первого. Общедоступный код не зависит от какого-то одного юридического или физического лица, которое будет поддерживать его в течение долгого времени. Даже если первоначальная команда, стоявшая за проектом, в конце концов исчезнет, другие смогут взять ее на себя и продолжить поддерживать и развивать его. Самым ярким примером этого является сам биткойн: несмотря на то, что его псевдонимный создатель Сатоши Накамото исчез более десяти лет назад, проект продолжает расти и процветать, превосходя все ожидания. Таким образом, каждый раз, когда вы выбираете программное обеспечение с открытым исходным кодом вместо закрытого, вы значительно снижаете вероятность того, что какая-то компания или разработчик оставит вас на произвол судьбы с необслуживаемым программным обеспечением, которое потускнеет и устареет.\n\nНаконец, проекты с открытым исходным кодом, получившие широкое распространение, такие как Bitcoin, Bisq или кошельки, подобные Electrum, как правило, приводят к созданию высококачественных продуктов, привлекая лучших специалистов. Открытый характер проектов позволяет любому сотрудничать с ними, и многие выдающиеся разработчики в этой области предпочитают сотрудничать, опираясь на хороший проект, а не начинать дублирование с нуля. Со временем совокупный вклад этих людей приводит к впечатляющим результатам, которые часто превосходят то, чего могут достичь большинство компаний, даже хорошо финансируемых.\n\nПодводя итог, можно сказать, что выбор вариантов с открытым исходным кодом для создания инструментария для биткоина имеет большой набор преимуществ, которые помогут вам наслаждаться безопасными и полезными продуктами высокого качества. Мы надеемся, что вам станет интересно узнать о природе кода, который вы используете в своей повседневной жизни, и вы будете делать осознанный выбор в пользу программного обеспечения, которое вы используете. diff --git a/shared/domain/src/commonMain/resources/mobile/application.properties b/shared/domain/src/commonMain/resources/mobile/application.properties new file mode 100644 index 00000000..882f54e2 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/application.properties @@ -0,0 +1,275 @@ +###################################################### +# +# Translation strings for application scope elements not covered by the more specific scopes +# +###################################################### + +###################################################### +# Splash +###################################################### + +splash.details.tooltip=Click to toggle details + +# Dynamic values using DefaultApplicationService.State.name() +# suppress inspection "UnusedProperty" +splash.applicationServiceState.INITIALIZE_APP=Starting Bisq +# suppress inspection "UnusedProperty" +splash.applicationServiceState.INITIALIZE_NETWORK=Initialize P2P network +# suppress inspection "UnusedProperty" +splash.applicationServiceState.INITIALIZE_WALLET=Initialize wallet +# suppress inspection "UnusedProperty" +splash.applicationServiceState.INITIALIZE_SERVICES=Initialize services +# suppress inspection "UnusedProperty" +splash.applicationServiceState.APP_INITIALIZED=Bisq started +# suppress inspection "UnusedProperty" +splash.applicationServiceState.FAILED=Startup failed +# suppress inspection "UnusedProperty" +splash.bootstrapState.service.CLEAR=Server +# suppress inspection "UnusedProperty" +splash.bootstrapState.service.TOR=Onion Service +# suppress inspection "UnusedProperty" +splash.bootstrapState.service.I2P=I2P Service +# suppress inspection "UnusedProperty" +splash.bootstrapState.network.CLEAR=Clear net +# suppress inspection "UnusedProperty" +splash.bootstrapState.network.TOR=Tor +# suppress inspection "UnusedProperty" +splash.bootstrapState.network.I2P=I2P +# suppress inspection "UnusedProperty" +splash.bootstrapState.BOOTSTRAP_TO_NETWORK=Bootstrap to {0} network +# suppress inspection "UnusedProperty" +splash.bootstrapState.START_PUBLISH_SERVICE=Start publishing {0} +# suppress inspection "UnusedProperty" +splash.bootstrapState.SERVICE_PUBLISHED={0} published +# suppress inspection "UnusedProperty" +splash.bootstrapState.CONNECTED_TO_PEERS=Connecting to peers + + +#################################################################### +# TAC +#################################################################### + +tac.headline=User Agreement +tac.confirm=I have read and understood +tac.accept=Accept user Agreement +tac.reject=Reject and quit application + + +#################################################################### +# Unlock +#################################################################### + +unlock.headline=Enter password to unlock +unlock.button=Unlock +unlock.failed=Could not unlock with the provided password.\n\n\ + Try again and be sure to have the caps lock disabled. + + +#################################################################### +# Updater +#################################################################### + +updater.headline=A new Bisq update is available +updater.headline.isLauncherUpdate=A new Bisq installer is available +updater.releaseNotesHeadline=Release notes for version {0}: +updater.furtherInfo=This update will be loaded after restart and does not require a new installation.\n\ + More details can be found at the release page at: +updater.furtherInfo.isLauncherUpdate=This update requires a new Bisq installation.\n\ + If you have problems when installing Bisq on macOS, please read the instructions at: +updater.download=Download and verify +updater.downloadLater=Download later +updater.ignore=Ignore this version +updater.shutDown=Shut down +updater.shutDown.isLauncherUpdate=Open download directory and shut down + +updater.downloadAndVerify.headline=Download and verify new version +updater.downloadAndVerify.info=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'). +updater.downloadAndVerify.info.isLauncherUpdate=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. +updater.table.file=File +updater.table.progress=Download progress +updater.table.progress.completed=Completed +updater.table.verified=Signature verified + + +#################################################################### +# NotificationPanel +#################################################################### + +notificationPanel.trades.headline.single=New trade message for trade ''{0}'' +notificationPanel.trades.headline.multiple=New trade messages +notificationPanel.trades.button=Go to 'Open Trades' +notificationPanel.mediationCases.headline.single=New message for mediation case with trade ID ''{0}'' +notificationPanel.mediationCases.headline.multiple=New messages for mediation +notificationPanel.mediationCases.button=Go to 'Mediator' + + +#################################################################### +# Onboarding +#################################################################### + +#################################################################### +# Welcome +#################################################################### + +onboarding.bisq2.headline=Welcome to Bisq 2 +onboarding.bisq2.teaserHeadline1=Introducing Bisq Easy +onboarding.bisq2.line1=Getting your first Bitcoin privately\n\ + has never been easier. +onboarding.bisq2.teaserHeadline2=Learn & discover +onboarding.bisq2.line2=Get a gentle introduction into Bitcoin\n\ + through our guides and community chat. +onboarding.bisq2.teaserHeadline3=Coming soon +onboarding.bisq2.line3=Choose how to trade: Bisq MuSig, Lightning, Submarine Swaps,... + + +#################################################################### +# Create profile +#################################################################### + +onboarding.createProfile.headline=Create your profile +onboarding.createProfile.subTitle=Your public profile consists of a nickname (picked by you) and \ + a bot icon (generated cryptographically) +onboarding.createProfile.nym=Bot ID: +onboarding.createProfile.regenerate=Generate new bot icon +onboarding.createProfile.nym.generating=Calculating proof of work... +onboarding.createProfile.createProfile=Next +onboarding.createProfile.createProfile.busy=Initializing network node... +onboarding.createProfile.nickName.prompt=Choose your nickname +onboarding.createProfile.nickName=Profile nickname +onboarding.createProfile.nickName.tooLong=Nickname must not be longer than {0} characters + + +#################################################################### +# Set password +#################################################################### + +onboarding.password.button.skip=Skip +onboarding.password.subTitle=Set up password protection now or skip and do it later in 'User options/Password'. + +onboarding.password.headline.setPassword=Set password protection +onboarding.password.button.savePassword=Save password +onboarding.password.enterPassword=Enter password (min. 8 characters) +onboarding.password.confirmPassword=Confirm password +onboarding.password.savePassword.success=Password protection enabled. + + +#################################################################### +# Navigation +#################################################################### + +navigation.dashboard=Dashboard +navigation.bisqEasy=Bisq Easy +navigation.reputation=Reputation +navigation.tradeApps=Trade protocols +navigation.wallet=Wallet +navigation.academy=Learn +navigation.chat=Chat +navigation.support=Support +navigation.userOptions=User options +navigation.settings=Settings +navigation.network=Network +navigation.authorizedRole=Authorized role + +navigation.expandIcon.tooltip=Expand menu +navigation.collapseIcon.tooltip=Minimize menu +navigation.vertical.expandIcon.tooltip=Expand sub menu +navigation.vertical.collapseIcon.tooltip=Collapse sub menu +navigation.network.info.clearNet=Clear-net +navigation.network.info.tor=Tor +navigation.network.info.externalTor=\n\Using external Tor +navigation.network.info.i2p=I2P +navigation.network.info.tooltip={0} network\n\ + Number of connections: {1}\n\ + Target connections: {2}{3} +navigation.network.info.inventoryRequest.requesting=Requesting network data +navigation.network.info.inventoryRequest.completed=Network data received +navigation.network.info.inventoryRequests.tooltip=Network data request state:\n\ + Number of pending requests: {0}\n\ + Max. requests: {1}\n\ + All data received: {2} + + +#################################################################### +# Top panel +#################################################################### + +topPanel.wallet.balance=Balance + + +###################################################### +## Dashboard +###################################################### + +dashboard.marketPrice=Latest market price +dashboard.offersOnline=Offers online +dashboard.activeUsers=Published user profiles +dashboard.activeUsers.tooltip=Profiles stay published on the network\nif the user was online in the last 15 days. +dashboard.main.headline=Get your first BTC +dashboard.main.content1=Start trading or browse open offers in the offerbook +dashboard.main.content2=Chat based and guided user interface for trading +dashboard.main.content3=Security is based on seller's reputation +dashboard.main.button=Enter Bisq Easy +dashboard.second.headline=Multiple trade protocols +dashboard.second.content=Check out the roadmap for upcoming trade protocols. Get an overview about the features of the different protocols. +dashboard.second.button=Explore trade protocols +dashboard.third.headline=Build up reputation +dashboard.third.content=You want to sell Bitcoin on Bisq Easy? Learn how the Reputation system works and why it is important. +dashboard.third.button=Build Reputation + + +#################################################################### +# Popups +#################################################################### + +popup.headline.instruction=Please note: +popup.headline.attention=Attention +popup.headline.backgroundInfo=Background information +popup.headline.feedback=Completed +popup.headline.confirmation=Confirmation +popup.headline.information=Information +popup.headline.warning=Warning +popup.headline.invalid=Invalid input +popup.headline.error=Error +popup.reportBug=Report bug to Bisq developers +popup.reportError=To help us to improve the software please report this bug by opening a new issue at: 'https://github.com/bisq-network/bisq2/issues'.\n\ + The error message will be copied to the clipboard when you click the 'report' button below.\n\n\ + It will make debugging easier if you include log files in your bug report. Log files do not contain sensitive data. +popup.reportBug.report=Bisq version: {0}\n\ + Operating system: {1}\n\ + Error message:\n\ + {2} +popup.reportError.log=Open log file +popup.reportError.zipLogs=Zip log files +popup.reportError.gitHub=Report to Bisq GitHub repository +popup.startup.error=An error occurred at initializing Bisq: {0}. +popup.shutdown=Shut down is in process.\n\n\ + It might take up to {0} seconds until shut down is completed. +popup.shutdown.error=An error occurred at shut down: {0}. +popup.hyperlink.openInBrowser.tooltip=Open link in browser: {0}. +popup.hyperlink.copy.tooltip=Copy link: {0}. + + +#################################################################### +# Messages +#################################################################### +hyperlinks.openInBrowser.attention.headline=Open web link +hyperlinks.openInBrowser.attention=Do you want to open the link to `{0}` in your default web browser? +hyperlinks.openInBrowser.no=No, copy link +hyperlinks.copiedToClipboard=Link was copied to clipboard + +#################################################################### +# Video +#################################################################### +video.mp4NotSupported.warning.headline=Embedded video cannot be played +video.mp4NotSupported.warning=You can watch the video in your browser at: [HYPERLINK:{0}] + + +#################################################################### +# Misc +#################################################################### +version.versionAndCommitHash=Version: v{0} / Commit hash: {1} \ No newline at end of file diff --git a/shared/domain/src/commonMain/resources/mobile/application_af_ZA.properties b/shared/domain/src/commonMain/resources/mobile/application_af_ZA.properties new file mode 100644 index 00000000..6dbb7b49 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/application_af_ZA.properties @@ -0,0 +1,252 @@ +###################################################### +# +# Translation strings for application scope elements not covered by the more specific scopes +# +###################################################### + +###################################################### +# Splash +###################################################### + +splash.details.tooltip=Klik om besonderhede te wys/versteek + +# Dynamic values using DefaultApplicationService.State.name() +# suppress inspection "UnusedProperty" +splash.applicationServiceState.INITIALIZE_APP=Begin Bisq +# suppress inspection "UnusedProperty" +splash.applicationServiceState.INITIALIZE_NETWORK=Inisialiseer P2P netwerk +# suppress inspection "UnusedProperty" +splash.applicationServiceState.INITIALIZE_WALLET=Beursie inisialiseer +# suppress inspection "UnusedProperty" +splash.applicationServiceState.INITIALIZE_SERVICES=Dienste inisialiseer +# suppress inspection "UnusedProperty" +splash.applicationServiceState.APP_INITIALIZED=Bisq het begin +# suppress inspection "UnusedProperty" +splash.applicationServiceState.FAILED=Opstart het het mislukte +# suppress inspection "UnusedProperty" +splash.bootstrapState.service.CLEAR=Bediener +# suppress inspection "UnusedProperty" +splash.bootstrapState.service.TOR=Uie-diens +# suppress inspection "UnusedProperty" +splash.bootstrapState.service.I2P=I2P Diens +# suppress inspection "UnusedProperty" +splash.bootstrapState.network.CLEAR=Maak net skoon +# suppress inspection "UnusedProperty" +splash.bootstrapState.network.TOR=Tor +# suppress inspection "UnusedProperty" +splash.bootstrapState.network.I2P=I2P +# suppress inspection "UnusedProperty" +splash.bootstrapState.BOOTSTRAP_TO_NETWORK=Bootstrap na {0} netwerk +# suppress inspection "UnusedProperty" +splash.bootstrapState.START_PUBLISH_SERVICE=Begin om te publiseer {0} +# suppress inspection "UnusedProperty" +splash.bootstrapState.SERVICE_PUBLISHED={0} gepubliseer +# suppress inspection "UnusedProperty" +splash.bootstrapState.CONNECTED_TO_PEERS=Verbinde met vennote + + +#################################################################### +# TAC +#################################################################### + +tac.headline=Gebruikersooreenkoms +tac.confirm=Ek het gelees en verstaan +tac.accept=Aanvaar gebruikersooreenkoms +tac.reject=Verwerp en verlaat toepassing + + +#################################################################### +# Unlock +#################################################################### + +unlock.headline=Voer wagwoord in om te ontgrendel +unlock.button=Ontsluit +unlock.failed=Kon nie ontgrendel met die verskafde wagwoord nie.\n\nProbeer weer en maak seker dat die caps lock gedeaktiveer is. + + +#################################################################### +# Updater +#################################################################### + +updater.headline='n nuwe Bisq opdatering is beskikbaar +updater.headline.isLauncherUpdate='n nuwe Bisq installer is beskikbaar +updater.releaseNotesHeadline=Vrystellingsnotas vir weergawe {0}: +updater.furtherInfo=Hierdie opdatering sal gelaai word na herstart en vereis nie 'n nuwe installasie nie.\nMeer besonderhede kan gevind word op die vrystellingsbladsy by: +updater.furtherInfo.isLauncherUpdate=Hierdie opdatering vereis 'n nuwe Bisq installasie.\nAs jy probleme ondervind wanneer jy Bisq op macOS installeer, lees asseblief die instruksies by: +updater.download=Aflaai en verifieer +updater.downloadLater=Laai later af +updater.ignore=Ignore hierdie weergawe +updater.shutDown=Skakel af +updater.shutDown.isLauncherUpdate=Open aflaai-gids en sluit af + +updater.downloadAndVerify.headline=Laai nuwe weergawe af en verifieer +updater.downloadAndVerify.info=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. +updater.downloadAndVerify.info.isLauncherUpdate=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. +updater.table.file=Lêer +updater.table.progress=Aflaaig vooruitgang +updater.table.progress.completed=Voltooi +updater.table.verified=Handtekening geverifieer + + +#################################################################### +# NotificationPanel +#################################################################### + +notificationPanel.trades.headline.single=Nuwe handel boodskap vir handel ''{0}'' +notificationPanel.trades.headline.multiple=Nuwe handel boodskappe +notificationPanel.trades.button=Gaan na 'My oop transaksies' +notificationPanel.mediationCases.headline.single=Nuwe boodskap vir bemiddelingsgeval met handel-ID ''{0}'' +notificationPanel.mediationCases.headline.multiple=Nuwe boodskappe vir bemiddeling +notificationPanel.mediationCases.button=Gaan na 'Bemiddelaar' + + +#################################################################### +# Onboarding +#################################################################### + +#################################################################### +# Welcome +#################################################################### + +onboarding.bisq2.headline=Welkom by Bisq 2 +onboarding.bisq2.teaserHeadline1=Bied Bisq Easy aan +onboarding.bisq2.line1=Om jou eerste Bitcoin privaat te kry\nwas nog nooit makliker nie. +onboarding.bisq2.teaserHeadline2=Leer & ontdek +onboarding.bisq2.line2=Kry 'n sagte inleiding tot Bitcoin\ndeur ons gidse en gemeenskap gesels. +onboarding.bisq2.teaserHeadline3=Binnekort +onboarding.bisq2.line3=Kies hoe om te handel: Bisq MuSig, Lightning, Submarine Swaps,... + + +#################################################################### +# Create profile +#################################################################### + +onboarding.createProfile.headline=Skep jou profiel +onboarding.createProfile.subTitle=Jou publieke profiel bestaan uit 'n bynaam (gepick deur jou) en 'n bot-ikoon (kriptografies gegenereer) +onboarding.createProfile.nym=Bot-ID: +onboarding.createProfile.regenerate=Genereer nuwe bot-ikoon +onboarding.createProfile.nym.generating=Bereken bewys van werk... +onboarding.createProfile.createProfile=Volgende +onboarding.createProfile.createProfile.busy=Netwerk node inisialiseer... +onboarding.createProfile.nickName.prompt=Kies jou bynaam +onboarding.createProfile.nickName=Profiel bynaam +onboarding.createProfile.nickName.tooLong=Bynaam mag nie langer wees as {0} karakters nie + + +#################################################################### +# Set password +#################################################################### + +onboarding.password.button.skip=Slaan oor +onboarding.password.subTitle=Stel nou wagwoordbeskerming op of slaat dit oor en doen dit later in 'Gebruikersopsies/Wagwoord'. + +onboarding.password.headline.setPassword=Stel wagwoordbeskerming in +onboarding.password.button.savePassword=Stoor wagwoord +onboarding.password.enterPassword=Voer wagwoord in (min. 8 karakters) +onboarding.password.confirmPassword=Bevestig wagwoord +onboarding.password.savePassword.success=Wagwoordbeskerming geaktiveer. + + +#################################################################### +# Navigation +#################################################################### + +navigation.dashboard=Dashboard +navigation.bisqEasy=Bisq Easy +navigation.reputation=Reputasie +navigation.tradeApps=Handel protokolle +navigation.wallet=Beursie +navigation.academy=Leer meer +navigation.chat=Gesels +navigation.support=Ondersteuning +navigation.userOptions=Gebruikersopsies +navigation.settings=Instellings +navigation.network=Netwerk +navigation.authorizedRole=Geautoriseerde rol + +navigation.expandIcon.tooltip=Verbreed spyskaart +navigation.collapseIcon.tooltip=Minimaliseer spyskaart +navigation.vertical.expandIcon.tooltip=Brei submenu uit +navigation.vertical.collapseIcon.tooltip=Vouw submenu in +navigation.network.info.clearNet=Duidelike-net +navigation.network.info.tor=Tor +navigation.network.info.i2p=I2P +navigation.network.info.tooltip={0} netwerk\nAantal verbindings: {1}\nTeiken verbindings: {2} +navigation.network.info.inventoryRequest.requesting=Versoek netwerkdata +navigation.network.info.inventoryRequest.completed=Netwerkdata ontvang +navigation.network.info.inventoryRequests.tooltip=Netwerk data versoek toestand:\nAantal hangende versoeke: {0}\nMax. versoeke: {1}\nAlle data ontvang: {2} + + +#################################################################### +# Top panel +#################################################################### + +topPanel.wallet.balance=Balans + + +###################################################### +## Dashboard +###################################################### + +dashboard.marketPrice=Laatste markprys +dashboard.offersOnline=Aanbiedinge aanlyn +dashboard.activeUsers=Gepubliseerde gebruikersprofiele +dashboard.activeUsers.tooltip=Profiele bly gepubliseer op die netwerk\nas die gebruiker in die laaste 15 dae aanlyn was. +dashboard.main.headline=Kry jou eerste BTC +dashboard.main.content1=Begin handel of blaai deur oop aanbiedinge in die aanbodboek +dashboard.main.content2=Geselskap gebaseerde en geleide gebruikerskoppelvlak vir handel +dashboard.main.content3=Sekuriteit is gebaseer op die verkoper se reputasie +dashboard.main.button=Voer Bisq Easy in +dashboard.second.headline=Meervoudige handel protokolle +dashboard.second.content=Kyk na die padkaart vir komende handel protokolle. Kry 'n Oorsig oor die kenmerke van die verskillende protokolle. +dashboard.second.button=Verken handel protokolle +dashboard.third.headline=Bou reputasie op +dashboard.third.content=Wil jy Bitcoin op Bisq Easy verkoop? Leer hoe die Reputasie-stelsel werk en hoekom dit belangrik is. +dashboard.third.button=Bou Reputasie + + +#################################################################### +# Popups +#################################################################### + +popup.headline.instruction=Neem asseblief kennis: +popup.headline.attention=Aandag +popup.headline.backgroundInfo=Agtergrondinligting +popup.headline.feedback=Voltooi +popup.headline.confirmation=Bevestiging +popup.headline.information=Inligting +popup.headline.warning=Waarskuwing +popup.headline.invalid=Ongeldige invoer +popup.headline.error=Fout +popup.reportBug=Rapporteer fout aan Bisq-ontwikkelaars +popup.reportError=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. +popup.reportBug.report=Bisq weergawe: {0}\nBedryfstelsel: {1}\nFoutboodskap:\n{2} +popup.reportError.log=Open loglêer +popup.reportError.zipLogs=Zip log lêers +popup.reportError.gitHub=Rapporteer aan Bisq GitHub-bewaarplek +popup.startup.error=Daar het 'n fout voorgekom tydens die inisialiseer van Bisq: {0}. +popup.shutdown=Afsluiting is in proses.\n\nDit mag tot {0} sekondes neem totdat die afsluiting voltooi is. +popup.shutdown.error='n fout het voorgekom tydens afsluiting: {0}. +popup.hyperlink.openInBrowser.tooltip=Open skakel in blaaiers: {0}. +popup.hyperlink.copy.tooltip=Kopieer skakel: {0}. + + +#################################################################### +# Messages +#################################################################### +hyperlinks.openInBrowser.attention.headline=Open webskakel +hyperlinks.openInBrowser.attention=Wil jy die skakel na `{0}` in jou standaard webblaaier oopmaak? +hyperlinks.openInBrowser.no=Nee, kopieer skakel +hyperlinks.copiedToClipboard=Skakel is na die klembord gekopieer + +#################################################################### +# Video +#################################################################### +video.mp4NotSupported.warning.headline=Ingebedde video kan nie afgespeel word +video.mp4NotSupported.warning=U kan die video in u blaaier kyk by: [HYPERLINK:{0}] + + +#################################################################### +# Misc +#################################################################### +version.versionAndCommitHash=Weergawe: v{0} / Toesluit hash: {1} diff --git a/shared/domain/src/commonMain/resources/mobile/application_cs.properties b/shared/domain/src/commonMain/resources/mobile/application_cs.properties new file mode 100644 index 00000000..22a18623 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/application_cs.properties @@ -0,0 +1,252 @@ +###################################################### +# +# Translation strings for application scope elements not covered by the more specific scopes +# +###################################################### + +###################################################### +# Splash +###################################################### + +splash.details.tooltip=Klikněte pro zobrazení podrobností + +# Dynamic values using DefaultApplicationService.State.name() +# suppress inspection "UnusedProperty" +splash.applicationServiceState.INITIALIZE_APP=Spouštění Bisq +# suppress inspection "UnusedProperty" +splash.applicationServiceState.INITIALIZE_NETWORK=Inicializace P2P sítě +# suppress inspection "UnusedProperty" +splash.applicationServiceState.INITIALIZE_WALLET=Inicializace peněženky +# suppress inspection "UnusedProperty" +splash.applicationServiceState.INITIALIZE_SERVICES=Inicializace služeb +# suppress inspection "UnusedProperty" +splash.applicationServiceState.APP_INITIALIZED=Bisq spuštěn +# suppress inspection "UnusedProperty" +splash.applicationServiceState.FAILED=Chyba při spouštění +# suppress inspection "UnusedProperty" +splash.bootstrapState.service.CLEAR=Server +# suppress inspection "UnusedProperty" +splash.bootstrapState.service.TOR=Služba Onion +# suppress inspection "UnusedProperty" +splash.bootstrapState.service.I2P=Služba I2P +# suppress inspection "UnusedProperty" +splash.bootstrapState.network.CLEAR=Clearnet +# suppress inspection "UnusedProperty" +splash.bootstrapState.network.TOR=Tor +# suppress inspection "UnusedProperty" +splash.bootstrapState.network.I2P=I2P +# suppress inspection "UnusedProperty" +splash.bootstrapState.BOOTSTRAP_TO_NETWORK=Připojování k {0} síti +# suppress inspection "UnusedProperty" +splash.bootstrapState.START_PUBLISH_SERVICE=Zahájení publikování {0} +# suppress inspection "UnusedProperty" +splash.bootstrapState.SERVICE_PUBLISHED={0} publikováno +# suppress inspection "UnusedProperty" +splash.bootstrapState.CONNECTED_TO_PEERS=Připojování k peerům + + +#################################################################### +# TAC +#################################################################### + +tac.headline=Uživatelská dohoda +tac.confirm=Přečetl(a) jsem a rozumím +tac.accept=Přijmout uživatelskou dohodu +tac.reject=Odmítnout a ukončit aplikaci + + +#################################################################### +# Unlock +#################################################################### + +unlock.headline=Zadejte heslo pro odemčení +unlock.button=Odemknout +unlock.failed=Nepodařilo se odemknout zadaným heslem.\n\nZkuste to znovu a ujistěte se, že nemáte zapnutý Caps Lock. + + +#################################################################### +# Updater +#################################################################### + +updater.headline=Je dostupná nová aktualizace Bisq +updater.headline.isLauncherUpdate=Je dostupný nový instalační program Bisq +updater.releaseNotesHeadline=Poznámky k verzi {0}: +updater.furtherInfo=Aktualizace bude nahrána po restartu a nevyžaduje novou instalaci.\nDalší podrobnosti naleznete na stránce s vydáním: +updater.furtherInfo.isLauncherUpdate=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: +updater.download=Stáhnout a ověřit +updater.downloadLater=Stáhnout později +updater.ignore=Ignorovat tuto verzi +updater.shutDown=Vypnout +updater.shutDown.isLauncherUpdate=Otevřít adresář ke stažení a vypnout + +updater.downloadAndVerify.headline=Stáhnout a ověřit novou verzi +updater.downloadAndVerify.info=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'). +updater.downloadAndVerify.info.isLauncherUpdate=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. +updater.table.file=Soubor +updater.table.progress=Průběh stahování +updater.table.progress.completed=Dokončeno +updater.table.verified=Podpis ověřen + + +#################################################################### +# NotificationPanel +#################################################################### + +notificationPanel.trades.headline.single=Nová obchodní zpráva pro obchod ''{0}'' +notificationPanel.trades.headline.multiple=Nové obchodní zprávy +notificationPanel.trades.button=Přejít na 'Otevřené obchody' +notificationPanel.mediationCases.headline.single=Nová zpráva pro mediační případ s ID obchodu ''{0}'' +notificationPanel.mediationCases.headline.multiple=Nové zprávy pro mediace +notificationPanel.mediationCases.button=Přejít na 'Mediátor' + + +#################################################################### +# Onboarding +#################################################################### + +#################################################################### +# Welcome +#################################################################### + +onboarding.bisq2.headline=Vítejte v Bisq 2 +onboarding.bisq2.teaserHeadline1=Představujeme Bisq Easy +onboarding.bisq2.line1=Získání vašeho prvního Bitcoinu soukromě\nnikdy nebylo snazší. +onboarding.bisq2.teaserHeadline2=Učte se a objevujte +onboarding.bisq2.line2=Získejte jemný úvod do světa Bitcoinu\nprostřednictvím našich průvodců a komunitního chatu. +onboarding.bisq2.teaserHeadline3=Již brzy +onboarding.bisq2.line3=Vyberte si způsob obchodu: Bisq MuSig, Lightning, Submarine Swaps,... + + +#################################################################### +# Create profile +#################################################################### + +onboarding.createProfile.headline=Vytvořte svůj profil +onboarding.createProfile.subTitle=Váš veřejný profil se skládá z přezdívky (vybrané vám) a ikony robota (generované kryptograficky) +onboarding.createProfile.nym=ID robota: +onboarding.createProfile.regenerate=Vygenerovat novou ikonu robota +onboarding.createProfile.nym.generating=Vypočítávání práce... +onboarding.createProfile.createProfile=Další +onboarding.createProfile.createProfile.busy=Inicializace síťového uzlu... +onboarding.createProfile.nickName.prompt=Vyberte si svou přezdívku +onboarding.createProfile.nickName=Přezdívka profilu +onboarding.createProfile.nickName.tooLong=Přezdívka nesmí být delší než {0} znaků + + +#################################################################### +# Set password +#################################################################### + +onboarding.password.button.skip=Přeskočit +onboarding.password.subTitle=Nastavte ochranu heslem nyní nebo přeskočte a proveďte to později v 'Uživatelské možnosti/Heslo'. + +onboarding.password.headline.setPassword=Nastavit ochranu heslem +onboarding.password.button.savePassword=Uložit heslo +onboarding.password.enterPassword=Zadejte heslo (min. 8 znaků) +onboarding.password.confirmPassword=Potvrdit heslo +onboarding.password.savePassword.success=Ochrana heslem povolena. + + +#################################################################### +# Navigation +#################################################################### + +navigation.dashboard=Dashboard +navigation.bisqEasy=Bisq Easy +navigation.reputation=Reputace +navigation.tradeApps=Obchodní protokoly +navigation.wallet=Peněženka +navigation.academy=Učení +navigation.chat=Chat +navigation.support=Podpora +navigation.userOptions=Uživatelské možnosti +navigation.settings=Nastavení +navigation.network=Síť +navigation.authorizedRole=Oprávněná role + +navigation.expandIcon.tooltip=Rozbalit menu +navigation.collapseIcon.tooltip=Sbalit menu +navigation.vertical.expandIcon.tooltip=Rozbalit podmenu +navigation.vertical.collapseIcon.tooltip=Sbalit podmenu +navigation.network.info.clearNet=Clear-net +navigation.network.info.tor=Tor +navigation.network.info.i2p=I2P +navigation.network.info.tooltip={0} síť\nPočet připojení: {1}\nCílová připojení: {2} +navigation.network.info.inventoryRequest.requesting=Zahtijevanje mrežnih podataka +navigation.network.info.inventoryRequest.completed=Primljeni mrežni podaci +navigation.network.info.inventoryRequests.tooltip=Stanje zahtjeva za mrežne podatke:\nBroj čekajućih zahtjeva: {0}\nMaksimalni broj zahtjeva: {1}\nSvi podaci primljeni: {2} + + +#################################################################### +# Top panel +#################################################################### + +topPanel.wallet.balance=Zůstatek + + +###################################################### +## Dashboard +###################################################### + +dashboard.marketPrice=Poslední tržní cena +dashboard.offersOnline=Nabídky online +dashboard.activeUsers=Aktivní uživatelské profily +dashboard.activeUsers.tooltip=Profily zůstávají publikovány v síti, pokud byl uživatel online v posledních 15 dnech. +dashboard.main.headline=Získejte své první BTC +dashboard.main.content1=Začněte obchodovat nebo procházejte otevřené nabídky v nabídkové knize +dashboard.main.content2=Chatové a řízené uživatelské rozhraní pro obchodování +dashboard.main.content3=Zabezpečení je založeno na reputaci prodejce +dashboard.main.button=Vstupte do Bisq Easy +dashboard.second.headline=Více obchodních protokolů +dashboard.second.content=Podívejte se na plánované obchodní protokoly. Získejte přehled o funkcích různých protokolů. +dashboard.second.button=Prozkoumejte obchodní protokoly +dashboard.third.headline=Budujte reputaci +dashboard.third.content=Chcete prodávat Bitcoin na Bisq Easy? Zjistěte, jak funguje systém reputace a proč je důležitý. +dashboard.third.button=Budovat reputaci + + +#################################################################### +# Popups +#################################################################### + +popup.headline.instruction=Prosím, všimněte si: +popup.headline.attention=Pozor +popup.headline.backgroundInfo=Pozadí informace +popup.headline.feedback=Dokončeno +popup.headline.confirmation=Potvrzení +popup.headline.information=Informace +popup.headline.warning=Varování +popup.headline.invalid=Neplatný vstup +popup.headline.error=Chyba +popup.reportBug=Nahlásit chybu vývojářům Bisq +popup.reportError=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ě. +popup.reportBug.report=Verze Bisq: {0}\nOperační systém: {1}\nChybová zpráva:\n{2} +popup.reportError.log=Otevřít soubor protokolu +popup.reportError.zipLogs=Zkomprimovat soubory protokolu +popup.reportError.gitHub=Nahlásit na GitHub sledovač problémů +popup.startup.error=Při inicializaci Bisq došlo k chybě: {0}. +popup.shutdown=Probíhá vypínání.\n\nMůže trvat až {0} sekund, než se vypnutí dokončí. +popup.shutdown.error=Při vypínání došlo k chybě: {0}. +popup.hyperlink.openInBrowser.tooltip=Otevřít odkaz v prohlížeči: {0}. +popup.hyperlink.copy.tooltip=Zkopírovat odkaz: {0}. + + +#################################################################### +# Messages +#################################################################### +hyperlinks.openInBrowser.attention.headline=Otevřít webový odkaz +hyperlinks.openInBrowser.attention=Chcete otevřít odkaz na `{0}` ve vašem výchozím webovém prohlížeči? +hyperlinks.openInBrowser.no=Ne, zkopírujte odkaz +hyperlinks.copiedToClipboard=Odkaz byl zkopírován do schránky + +#################################################################### +# Video +#################################################################### +video.mp4NotSupported.warning.headline=Vložené video nelze přehrát +video.mp4NotSupported.warning=Video si můžete prohlédnout ve vašem prohlížeči na: [HYPERLINK:{0}] + + +#################################################################### +# Misc +#################################################################### +version.versionAndCommitHash=Verze: v{0} / Commit hash: {1} diff --git a/shared/domain/src/commonMain/resources/mobile/application_de.properties b/shared/domain/src/commonMain/resources/mobile/application_de.properties new file mode 100644 index 00000000..3aff201e --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/application_de.properties @@ -0,0 +1,252 @@ +###################################################### +# +# Translation strings for application scope elements not covered by the more specific scopes +# +###################################################### + +###################################################### +# Splash +###################################################### + +splash.details.tooltip=Klicken Sie hier, um Details umzuschalten + +# Dynamic values using DefaultApplicationService.State.name() +# suppress inspection "UnusedProperty" +splash.applicationServiceState.INITIALIZE_APP=Bisq starten +# suppress inspection "UnusedProperty" +splash.applicationServiceState.INITIALIZE_NETWORK=P2P-Netzwerk initialisieren +# suppress inspection "UnusedProperty" +splash.applicationServiceState.INITIALIZE_WALLET=Wallet initialisieren +# suppress inspection "UnusedProperty" +splash.applicationServiceState.INITIALIZE_SERVICES=Dienste initialisieren +# suppress inspection "UnusedProperty" +splash.applicationServiceState.APP_INITIALIZED=Bisq gestartet +# suppress inspection "UnusedProperty" +splash.applicationServiceState.FAILED=Start fehlgeschlagen +# suppress inspection "UnusedProperty" +splash.bootstrapState.service.CLEAR=Server +# suppress inspection "UnusedProperty" +splash.bootstrapState.service.TOR=Onion-Service +# suppress inspection "UnusedProperty" +splash.bootstrapState.service.I2P=I2P-Dienst +# suppress inspection "UnusedProperty" +splash.bootstrapState.network.CLEAR=Klar-Netz +# suppress inspection "UnusedProperty" +splash.bootstrapState.network.TOR=Tor +# suppress inspection "UnusedProperty" +splash.bootstrapState.network.I2P=I2P +# suppress inspection "UnusedProperty" +splash.bootstrapState.BOOTSTRAP_TO_NETWORK=Verbindung zu {0}-Netzwerk herstellen +# suppress inspection "UnusedProperty" +splash.bootstrapState.START_PUBLISH_SERVICE=Starten der Veröffentlichung von {0} +# suppress inspection "UnusedProperty" +splash.bootstrapState.SERVICE_PUBLISHED={0} veröffentlicht +# suppress inspection "UnusedProperty" +splash.bootstrapState.CONNECTED_TO_PEERS=Verbindung zu Peers herstellen + + +#################################################################### +# TAC +#################################################################### + +tac.headline=Nutzervereinbarung +tac.confirm=Ich habe die Nutzervereinbarung gelesen und verstanden +tac.accept=Nutzervereinbarung akzeptieren +tac.reject=Ablehnen und Anwendung beenden + + +#################################################################### +# Unlock +#################################################################### + +unlock.headline=Geben Sie das Passwort ein, um zu entsperren +unlock.button=Entsperren +unlock.failed=Entsperren mit dem bereitgestellten Passwort fehlgeschlagen.\n\nVersuchen Sie es erneut und stellen Sie sicher, dass die Feststelltaste + + +#################################################################### +# Updater +#################################################################### + +updater.headline=Ein neues Bisq-Update ist verfügbar +updater.headline.isLauncherUpdate=Ein neuer Bisq-Installer ist verfügbar +updater.releaseNotesHeadline=Versionshinweise für Version {0}: +updater.furtherInfo=Dieses Update wird nach dem Neustart geladen und erfordert keine neue Installation.\nWeitere Details finden Sie auf der Release-Seite unter: +updater.furtherInfo.isLauncherUpdate=Dieses Update erfordert eine neue Bisq-Installation.\nWenn Sie Probleme beim Installieren von Bisq unter macOS haben, lesen Sie bitte die Anweisungen unter: +updater.download=Herunterladen und überprüfen +updater.downloadLater=Später herunterladen +updater.ignore=Diese Version ignorieren +updater.shutDown=Ausschalten +updater.shutDown.isLauncherUpdate=Download-Verzeichnis öffnen und ausschalten + +updater.downloadAndVerify.headline=Neue Version herunterladen und überprüfen +updater.downloadAndVerify.info=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. +updater.downloadAndVerify.info.isLauncherUpdate=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. +updater.table.file=Datei +updater.table.progress=Download-Fortschritt +updater.table.progress.completed=Abgeschlossen +updater.table.verified=Signatur überprüft + + +#################################################################### +# NotificationPanel +#################################################################### + +notificationPanel.trades.headline.single=Neue Handelsnachricht für Handel ''{0}'' +notificationPanel.trades.headline.multiple=Neue Handelsnachrichten +notificationPanel.trades.button=Zu 'Offene Transaktionen' gehen +notificationPanel.mediationCases.headline.single=Neue Nachricht für Mediationsfall mit Trade-ID ''{0}'' +notificationPanel.mediationCases.headline.multiple=Neue Nachrichten für Mediation +notificationPanel.mediationCases.button=Zu 'Mediator' gehen + + +#################################################################### +# Onboarding +#################################################################### + +#################################################################### +# Welcome +#################################################################### + +onboarding.bisq2.headline=Willkommen bei Bisq 2 +onboarding.bisq2.teaserHeadline1=Neu: Bisq Easy +onboarding.bisq2.line1=Deine ersten Bitcoins privat zu erhalten\nwar noch nie einfacher. +onboarding.bisq2.teaserHeadline2=Lernen & Entdecken +onboarding.bisq2.line2=Bekomme eine langsame Einführung in Bitcoin durch unsere Anleitungen und den Community-Chat. +onboarding.bisq2.teaserHeadline3=In Planung +onboarding.bisq2.line3=Wähle, wie du handeln möchtest: Bisq MuSig, Lightning, Submarine Swaps,... + + +#################################################################### +# Create profile +#################################################################### + +onboarding.createProfile.headline=Profil erstellen +onboarding.createProfile.subTitle=Dein öffentliches Profil besteht aus einem Spitznamen (von dir gewählt) und einem Bot-Icon (kryptografisch generiert) +onboarding.createProfile.nym=Bot-ID: +onboarding.createProfile.regenerate=Neues Bot-Icon generieren +onboarding.createProfile.nym.generating=Beweis der Arbeit wird berechnet... +onboarding.createProfile.createProfile=Weiter +onboarding.createProfile.createProfile.busy=Initialisiere Netzwerkknoten... +onboarding.createProfile.nickName.prompt=Wähle deinen Spitznamen +onboarding.createProfile.nickName=Profil-Spitzname +onboarding.createProfile.nickName.tooLong=Spitzname darf nicht länger als {0} Zeichen sein + + +#################################################################### +# Set password +#################################################################### + +onboarding.password.button.skip=Überspringen +onboarding.password.subTitle=Setze jetzt den Passwortschutz oder überspringe es und mache es später in 'Benutzereinstellungen/Passwort'. + +onboarding.password.headline.setPassword=Passwortschutz einrichten +onboarding.password.button.savePassword=Passwort speichern +onboarding.password.enterPassword=Passwort eingeben (min. 8 Zeichen) +onboarding.password.confirmPassword=Passwort bestätigen +onboarding.password.savePassword.success=Passwortschutz aktiviert. + + +#################################################################### +# Navigation +#################################################################### + +navigation.dashboard=Dashboard +navigation.bisqEasy=Bisq Easy +navigation.reputation=Reputation +navigation.tradeApps=Handelsprotokolle +navigation.wallet=Wallet +navigation.academy=Lernen +navigation.chat=Chat +navigation.support=Support +navigation.userOptions=Benutzer +navigation.settings=Einstellungen +navigation.network=Netzwerk +navigation.authorizedRole=Berechtigte Rolle + +navigation.expandIcon.tooltip=Menü erweitern +navigation.collapseIcon.tooltip=Menü minimieren +navigation.vertical.expandIcon.tooltip=Untermenü erweitern +navigation.vertical.collapseIcon.tooltip=Untermenü minimieren +navigation.network.info.clearNet=Clearnet +navigation.network.info.tor=Tor +navigation.network.info.i2p=I2P +navigation.network.info.tooltip={0} Netzwerk\nAnzahl an Verbindungen: {1}\nVerbindungsziele: {2} +navigation.network.info.inventoryRequest.requesting=Anfrage für Netzwerkinformationen wird gestellt +navigation.network.info.inventoryRequest.completed=Netzwerkdaten empfangen +navigation.network.info.inventoryRequests.tooltip=Zustand der Netzwerkinformationsanfragen:\nAnzahl der ausstehenden Anfragen: {0}\nMax. Anfragen: {1}\nAlle Daten empfangen: {2} + + +#################################################################### +# Top panel +#################################################################### + +topPanel.wallet.balance=Kontostand + + +###################################################### +## Dashboard +###################################################### + +dashboard.marketPrice=Aktueller Marktpreis +dashboard.offersOnline=Angebote online +dashboard.activeUsers=Veröffentlichte Benutzerprofile +dashboard.activeUsers.tooltip=Profile bleiben im Netzwerk veröffentlicht,\nwenn der Benutzer in den letzten 15 Tagen online war. +dashboard.main.headline=Hole dir deine ersten BTC +dashboard.main.content1=Beginne mit dem Handel oder durchsuche offene Angebote im Angebotsbuch +dashboard.main.content2=Chat-basierte und geführte Benutzeroberfläche für den Handel +dashboard.main.content3=Sicherheit basiert auf der Reputation des Verkäufers +dashboard.main.button=Zu Bisq Easy +dashboard.second.headline=Handelsprotokolle +dashboard.second.content=Schaue dir die Roadmap für kommende Handelsprotokolle an. Erhalte einen Überblick über die Funktionen der verschiedenen Protokolle. +dashboard.second.button=Handelsprotokolle erkunden +dashboard.third.headline=Reputation aufbauen +dashboard.third.content=Du möchtest Bitcoin auf Bisq Easy verkaufen? Erfahre, wie das Reputationssystem funktioniert und warum es wichtig ist. +dashboard.third.button=Reputation aufbauen + + +#################################################################### +# Popups +#################################################################### + +popup.headline.instruction=Bitte beachten: +popup.headline.attention=Hinweis +popup.headline.backgroundInfo=Hintergrundinformation +popup.headline.feedback=Abgeschlossen +popup.headline.confirmation=Bestätigung +popup.headline.information=Information +popup.headline.warning=Warnung +popup.headline.invalid=Ungültige Eingabe +popup.headline.error=Fehler +popup.reportBug=Problem an Bisq-Entwickler melden +popup.reportError=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. +popup.reportBug.report=Bisq-Version: {0}\nBetriebssystem: {1}\nFehlermeldung:\n{2} +popup.reportError.log=Log-Datei öffnen +popup.reportError.zipLogs=Logdateien zippen +popup.reportError.gitHub=Fehler im Bisq GitHub-Repository melden +popup.startup.error=Ein Fehler ist beim Starten von Bisq aufgetreten: {0}. +popup.shutdown=App wird heruntergefahren.\n\nEs kann bis zu {0} Sekunden dauern, bis das Herunterfahren abgeschlossen ist. +popup.shutdown.error=Ein Fehler ist beim Herunterfahren aufgetreten: {0}. +popup.hyperlink.openInBrowser.tooltip=Link im Browser öffnen: {0}. +popup.hyperlink.copy.tooltip=Link kopieren: {0}. + + +#################################################################### +# Messages +#################################################################### +hyperlinks.openInBrowser.attention.headline=Web-Link öffnen +hyperlinks.openInBrowser.attention=Möchten Sie den Link zu `{0}` in Ihrem Standard-Webbrowser öffnen? +hyperlinks.openInBrowser.no=Nein, Link kopieren +hyperlinks.copiedToClipboard=Link wurde in die Zwischenablage kopiert + +#################################################################### +# Video +#################################################################### +video.mp4NotSupported.warning.headline=Eingebettetes Video kann nicht abgespielt werden +video.mp4NotSupported.warning=Du kannst das Video in deinem Browser ansehen unter: [HYPERLINK:{0}] + + +#################################################################### +# Misc +#################################################################### +version.versionAndCommitHash=Version: v{0} / Commit-Hash: {1} diff --git a/shared/domain/src/commonMain/resources/mobile/application_es.properties b/shared/domain/src/commonMain/resources/mobile/application_es.properties new file mode 100644 index 00000000..c8c37e4d --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/application_es.properties @@ -0,0 +1,252 @@ +###################################################### +# +# Translation strings for application scope elements not covered by the more specific scopes +# +###################################################### + +###################################################### +# Splash +###################################################### + +splash.details.tooltip=Haz clic para mostrar detalles + +# Dynamic values using DefaultApplicationService.State.name() +# suppress inspection "UnusedProperty" +splash.applicationServiceState.INITIALIZE_APP=Iniciando Bisq +# suppress inspection "UnusedProperty" +splash.applicationServiceState.INITIALIZE_NETWORK=Inicializando red P2P +# suppress inspection "UnusedProperty" +splash.applicationServiceState.INITIALIZE_WALLET=Inicializando monedero +# suppress inspection "UnusedProperty" +splash.applicationServiceState.INITIALIZE_SERVICES=Inicializando servicios +# suppress inspection "UnusedProperty" +splash.applicationServiceState.APP_INITIALIZED=Bisq iniciado +# suppress inspection "UnusedProperty" +splash.applicationServiceState.FAILED=Fallo en el arranque +# suppress inspection "UnusedProperty" +splash.bootstrapState.service.CLEAR=Servidor +# suppress inspection "UnusedProperty" +splash.bootstrapState.service.TOR=Servicio Onion +# suppress inspection "UnusedProperty" +splash.bootstrapState.service.I2P=Servicio I2P +# suppress inspection "UnusedProperty" +splash.bootstrapState.network.CLEAR=Clear-net +# suppress inspection "UnusedProperty" +splash.bootstrapState.network.TOR=Tor +# suppress inspection "UnusedProperty" +splash.bootstrapState.network.I2P=I2P +# suppress inspection "UnusedProperty" +splash.bootstrapState.BOOTSTRAP_TO_NETWORK=Arrancar con red {0} +# suppress inspection "UnusedProperty" +splash.bootstrapState.START_PUBLISH_SERVICE=Comenzar publicación de {0} +# suppress inspection "UnusedProperty" +splash.bootstrapState.SERVICE_PUBLISHED={0} publicado +# suppress inspection "UnusedProperty" +splash.bootstrapState.CONNECTED_TO_PEERS=Conectando con pares + + +#################################################################### +# TAC +#################################################################### + +tac.headline=Acuerdo de usuario +tac.confirm=He leído y entendido +tac.accept=Aceptar acuerdo de usuario +tac.reject=Rechazar y salir de la aplicación + + +#################################################################### +# Unlock +#################################################################### + +unlock.headline=Introduce la contraseña para desbloquear +unlock.button=Desbloquear +unlock.failed=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. + + +#################################################################### +# Updater +#################################################################### + +updater.headline=Hay una nueva actualización de Bisq disponible +updater.headline.isLauncherUpdate=Hay un nuevo instalador de Bisq disponible +updater.releaseNotesHeadline=Notas de la versión {0}: +updater.furtherInfo=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: +updater.furtherInfo.isLauncherUpdate=Esta actualización requiere una nueva instalación de Bisq.\nSi tienes problemas al instalar Bisq en macOS, por favor lee las instrucciones en: +updater.download=Descargar y verificar +updater.downloadLater=Descargar más tarde +updater.ignore=Ignorar esta versión +updater.shutDown=Apagar +updater.shutDown.isLauncherUpdate=Abrir el directorio de descargas y apagar + +updater.downloadAndVerify.headline=Descargar y verificar nueva versión +updater.downloadAndVerify.info=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'). +updater.downloadAndVerify.info.isLauncherUpdate=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. +updater.table.file=Archivo +updater.table.progress=Progreso de la descarga +updater.table.progress.completed=Completado +updater.table.verified=Firma verificada + + +#################################################################### +# NotificationPanel +#################################################################### + +notificationPanel.trades.headline.single=Nuevo mensaje de intercambio para el intercambio ''{0}'' +notificationPanel.trades.headline.multiple=Nuevos mensajes de intercambio +notificationPanel.trades.button=Ir a 'Intercambios abiertos' +notificationPanel.mediationCases.headline.single=Nuevo mensaje para el caso de mediación con el ID de intercambio ''{0}'' +notificationPanel.mediationCases.headline.multiple=Nuevos mensajes para la mediación +notificationPanel.mediationCases.button=Ir a 'Mediador' + + +#################################################################### +# Onboarding +#################################################################### + +#################################################################### +# Welcome +#################################################################### + +onboarding.bisq2.headline=Bienvenido a Bisq 2 +onboarding.bisq2.teaserHeadline1=Presentando Bisq Easy +onboarding.bisq2.line1=Obtener tu primer Bitcoin de forma privada\nnunca ha sido tan fácil. +onboarding.bisq2.teaserHeadline2=Aprende y descubre +onboarding.bisq2.line2=Introdúcete paso a paso a Bitcoin\na través de nuestras guías y el chat de la comunidad. +onboarding.bisq2.teaserHeadline3=Próximamente +onboarding.bisq2.line3=Elige cómo comerciar: Bisq MuSig, Lightning, Submarine Swaps,... + + +#################################################################### +# Create profile +#################################################################### + +onboarding.createProfile.headline=Crea tu perfil +onboarding.createProfile.subTitle=Tu perfil público consta de un apodo (elegido por ti) y un icono de bot (generado criptográficamente) +onboarding.createProfile.nym=ID de Bot: +onboarding.createProfile.regenerate=Generar nuevo icono de bot +onboarding.createProfile.nym.generating=Calculando prueba de trabajo... +onboarding.createProfile.createProfile=Siguiente +onboarding.createProfile.createProfile.busy=Inicializando nodo de red... +onboarding.createProfile.nickName.prompt=Elige tu apodo +onboarding.createProfile.nickName=Apodo del perfil +onboarding.createProfile.nickName.tooLong=El apodo no puede tener más de {0} caracteres + + +#################################################################### +# Set password +#################################################################### + +onboarding.password.button.skip=Omitir +onboarding.password.subTitle=Configura ahora la protección con contraseña, o hazlo más tarde en 'Opciones de usuario/Contraseña'. + +onboarding.password.headline.setPassword=Configurar protección con contraseña +onboarding.password.button.savePassword=Guardar contraseña +onboarding.password.enterPassword=Introduce la contraseña (mín. 8 caracteres) +onboarding.password.confirmPassword=Confirmar contraseña +onboarding.password.savePassword.success=Protección con contraseña habilitada. + + +#################################################################### +# Navigation +#################################################################### + +navigation.dashboard=Tablero +navigation.bisqEasy=Bisq Easy +navigation.reputation=Reputación +navigation.tradeApps=Protocolos +navigation.wallet=Cartera +navigation.academy=Aprender +navigation.chat=Chat +navigation.support=Soporte +navigation.userOptions=Opciones de usuario +navigation.settings=Ajustes +navigation.network=Red +navigation.authorizedRole=Rol autorizado + +navigation.expandIcon.tooltip=Expandir menú +navigation.collapseIcon.tooltip=Minimizar menú +navigation.vertical.expandIcon.tooltip=Expandir submenú +navigation.vertical.collapseIcon.tooltip=Cerrar submenú +navigation.network.info.clearNet=Clear-net +navigation.network.info.tor=Tor +navigation.network.info.i2p=I2P +navigation.network.info.tooltip=Red {0} \nNúmero de conexiones: {1}\nCantidad objetivo; {2} +navigation.network.info.inventoryRequest.requesting=Solicitando datos de red +navigation.network.info.inventoryRequest.completed=Datos de red recibidos +navigation.network.info.inventoryRequests.tooltip=Estado de la solicitud de datos de red:\nNúmero de peticiones pendientes: {0}\nMáx. de peticiones: {1}\nTodos los datos recibidos: {2} + + +#################################################################### +# Top panel +#################################################################### + +topPanel.wallet.balance=Saldo + + +###################################################### +## Dashboard +###################################################### + +dashboard.marketPrice=Último precio de mercado +dashboard.offersOnline=Ofertas activas +dashboard.activeUsers=Usuarios activos +dashboard.activeUsers.tooltip=Los perfiles permanecen activos en la red\nsi el usuario estuvo en línea en los últimos 15 días. +dashboard.main.headline=Obtén tu primer BTC +dashboard.main.content1=Comienza a operar o consulta ofertas abiertas en el libro de ofertas +dashboard.main.content2=Interfaz de usuario basada en chat y guiada para la compra-venta +dashboard.main.content3=La seguridad se basa en la reputación del vendedor +dashboard.main.button=Accede a Bisq Easy +dashboard.second.headline=Múltiples protocolos de intercambio +dashboard.second.content=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. +dashboard.second.button=Explorar protocolos de intercambio +dashboard.third.headline=Construye tu reputación +dashboard.third.content=¿Quieres vender Bitcoin en Bisq Easy? Aprende cómo funciona el sistema de reputación y por qué es importante. +dashboard.third.button=Construye tu reputación + + +#################################################################### +# Popups +#################################################################### + +popup.headline.instruction=Por favor, ten en cuenta: +popup.headline.attention=Atención +popup.headline.backgroundInfo=Contexto +popup.headline.feedback=Completado +popup.headline.confirmation=Confirmación +popup.headline.information=Información +popup.headline.warning=Advertencia +popup.headline.invalid=Entrada inválida +popup.headline.error=Error +popup.reportBug=Reportar el error a los desarrolladores de Bisq +popup.reportError=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. +popup.reportBug.report=Versión de Bisq: {0}\nSistema operativo: {1}\nMensaje de error:\n{2} +popup.reportError.log=Abrir archivo de registro +popup.reportError.zipLogs=Comprimir archivos de registro +popup.reportError.gitHub=Reportar al repositorio de Bisq en GitHub +popup.startup.error=Se ha producido error iniciando Bisq: {0}. +popup.shutdown=Apagando.\n\nEl cierre puede tardar hasta {0}. +popup.shutdown.error=Ocurrió un error en el cierre: {0}. +popup.hyperlink.openInBrowser.tooltip=Abrir enlace en el navegador: {0}. +popup.hyperlink.copy.tooltip=Copiar enlace: {0}. + + +#################################################################### +# Messages +#################################################################### +hyperlinks.openInBrowser.attention.headline=Abrir enlace a la web +hyperlinks.openInBrowser.attention=¿Quieres abrir el enlace a `{0}` en tu navegador web por defecto? +hyperlinks.openInBrowser.no=No, copiar enlace +hyperlinks.copiedToClipboard=El enlace se ha copiado en el portapapeles + +#################################################################### +# Video +#################################################################### +video.mp4NotSupported.warning.headline=El vídeo incrustado no se puede reproducir +video.mp4NotSupported.warning=Puedes ver el video en tu navegador en: [HYPERLINK:{0}] + + +#################################################################### +# Misc +#################################################################### +version.versionAndCommitHash=Versión: v{0} / Hash del commit: {1} diff --git a/shared/domain/src/commonMain/resources/mobile/application_it.properties b/shared/domain/src/commonMain/resources/mobile/application_it.properties new file mode 100644 index 00000000..77b8669a --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/application_it.properties @@ -0,0 +1,252 @@ +###################################################### +# +# Translation strings for application scope elements not covered by the more specific scopes +# +###################################################### + +###################################################### +# Splash +###################################################### + +splash.details.tooltip=Clicca per mostrare i dettagli + +# Dynamic values using DefaultApplicationService.State.name() +# suppress inspection "UnusedProperty" +splash.applicationServiceState.INITIALIZE_APP=Avvio di Bisq +# suppress inspection "UnusedProperty" +splash.applicationServiceState.INITIALIZE_NETWORK=Inizializzazione della rete P2P +# suppress inspection "UnusedProperty" +splash.applicationServiceState.INITIALIZE_WALLET=Inizializzazione del portafoglio +# suppress inspection "UnusedProperty" +splash.applicationServiceState.INITIALIZE_SERVICES=Inizializzazione dei servizi +# suppress inspection "UnusedProperty" +splash.applicationServiceState.APP_INITIALIZED=Bisq avviato +# suppress inspection "UnusedProperty" +splash.applicationServiceState.FAILED=Avvio fallito +# suppress inspection "UnusedProperty" +splash.bootstrapState.service.CLEAR=Server +# suppress inspection "UnusedProperty" +splash.bootstrapState.service.TOR=Servizio Onion +# suppress inspection "UnusedProperty" +splash.bootstrapState.service.I2P=Servizio I2P +# suppress inspection "UnusedProperty" +splash.bootstrapState.network.CLEAR=Rete chiara +# suppress inspection "UnusedProperty" +splash.bootstrapState.network.TOR=Tor +# suppress inspection "UnusedProperty" +splash.bootstrapState.network.I2P=I2P +# suppress inspection "UnusedProperty" +splash.bootstrapState.BOOTSTRAP_TO_NETWORK=Bootstrap alla rete {0} +# suppress inspection "UnusedProperty" +splash.bootstrapState.START_PUBLISH_SERVICE=Inizio pubblicazione {0} +# suppress inspection "UnusedProperty" +splash.bootstrapState.SERVICE_PUBLISHED={0} pubblicato +# suppress inspection "UnusedProperty" +splash.bootstrapState.CONNECTED_TO_PEERS=Connessione ai peer + + +#################################################################### +# TAC +#################################################################### + +tac.headline=Accordo dell'utente +tac.confirm=Ho letto e compreso +tac.accept=Accetta l'accordo dell'utente +tac.reject=Rifiuta e chiudi l'applicazione + + +#################################################################### +# Unlock +#################################################################### + +unlock.headline=Inserisci la password per sbloccare +unlock.button=Sblocca +unlock.failed=Impossibile sbloccare con la password fornita.\n\nRiprova e assicurati che il blocco maiuscole sia disattivato. + + +#################################################################### +# Updater +#################################################################### + +updater.headline=È disponibile un nuovo aggiornamento di Bisq +updater.headline.isLauncherUpdate=È disponibile un nuovo installer di Bisq +updater.releaseNotesHeadline=Note di rilascio per la versione {0}: +updater.furtherInfo=Questo aggiornamento sarà caricato dopo il riavvio e non richiede una nuova installazione.\nUlteriori dettagli possono essere trovati nella pagina di rilascio su: +updater.furtherInfo.isLauncherUpdate=Questo aggiornamento richiede una nuova installazione di Bisq.\nSe hai problemi nell'installare Bisq su macOS, leggi le istruzioni su: +updater.download=Scarica e verifica +updater.downloadLater=Scarica più tardi +updater.ignore=Ignora questa versione +updater.shutDown=Spegni +updater.shutDown.isLauncherUpdate=Apri la directory di download e spegni + +updater.downloadAndVerify.headline=Scarica e verifica la nuova versione +updater.downloadAndVerify.info=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'). +updater.downloadAndVerify.info.isLauncherUpdate=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. +updater.table.file=File +updater.table.progress=Progresso del download +updater.table.progress.completed=Completato +updater.table.verified=Firma verificata + + +#################################################################### +# NotificationPanel +#################################################################### + +notificationPanel.trades.headline.single=Nuovo messaggio di scambio per il commercio ''{0}'' +notificationPanel.trades.headline.multiple=Nuovi messaggi di scambio +notificationPanel.trades.button=Vai a 'Scambi Aperti' +notificationPanel.mediationCases.headline.single=Nuovo messaggio per il caso di mediazione con ID commercio ''{0}'' +notificationPanel.mediationCases.headline.multiple=Nuovi messaggi per la mediazione +notificationPanel.mediationCases.button=Vai a 'Mediatore' + + +#################################################################### +# Onboarding +#################################################################### + +#################################################################### +# Welcome +#################################################################### + +onboarding.bisq2.headline=Benvenuto in Bisq 2 +onboarding.bisq2.teaserHeadline1=Presentazione di Bisq Easy +onboarding.bisq2.line1=Ottenere il tuo primo Bitcoin in modo privato\nnon è mai stato così facile. +onboarding.bisq2.teaserHeadline2=Impara & scopri +onboarding.bisq2.line2=Ottieni un'introduzione dolce a Bitcoin\nattraverso le nostre guide e la chat della community. +onboarding.bisq2.teaserHeadline3=Prossimamente +onboarding.bisq2.line3=Scegli come fare trading: Bisq MuSig, Lightning, Scambi Submarini,... + + +#################################################################### +# Create profile +#################################################################### + +onboarding.createProfile.headline=Crea il tuo profilo +onboarding.createProfile.subTitle=Il tuo profilo pubblico consiste in un nickname (scelto da te) e un'icona bot (generata criptograficamente) +onboarding.createProfile.nym=ID Bot: +onboarding.createProfile.regenerate=Genera nuova icona bot +onboarding.createProfile.nym.generating=Calcolo della prova di lavoro... +onboarding.createProfile.createProfile=Avanti +onboarding.createProfile.createProfile.busy=Inizializzazione del nodo di rete... +onboarding.createProfile.nickName.prompt=Scegli il tuo nickname +onboarding.createProfile.nickName=Nickname del profilo +onboarding.createProfile.nickName.tooLong=Il nickname non deve essere più lungo di {0} caratteri + + +#################################################################### +# Set password +#################################################################### + +onboarding.password.button.skip=Salta +onboarding.password.subTitle=Configura la protezione con password ora o salta e fallo più tardi in 'Opzioni utente/Password'. + +onboarding.password.headline.setPassword=Imposta la protezione con password +onboarding.password.button.savePassword=Salva password +onboarding.password.enterPassword=Inserisci la password (min. 8 caratteri) +onboarding.password.confirmPassword=Conferma password +onboarding.password.savePassword.success=Protezione con password abilitata. + + +#################################################################### +# Navigation +#################################################################### + +navigation.dashboard=Dashboard +navigation.bisqEasy=Bisq Easy +navigation.reputation=Reputazione +navigation.tradeApps=Protocolli di trading +navigation.wallet=Portafoglio +navigation.academy=Impara +navigation.chat=Chat +navigation.support=Supporto +navigation.userOptions=Opzioni utente +navigation.settings=Impostazioni +navigation.network=Rete +navigation.authorizedRole=Ruolo autorizzato + +navigation.expandIcon.tooltip=Espandi menu +navigation.collapseIcon.tooltip=Minimizza menu +navigation.vertical.expandIcon.tooltip=Espandi sottomenu +navigation.vertical.collapseIcon.tooltip=Riduci sottomenu +navigation.network.info.clearNet=Rete chiara +navigation.network.info.tor=Tor +navigation.network.info.i2p=I2P +navigation.network.info.tooltip=Rete {0}\nNumero di connessioni: {1}\nConnessioni obiettivo: {2} +navigation.network.info.inventoryRequest.requesting=Richiesta di dati di rete in corso +navigation.network.info.inventoryRequest.completed=Dati di rete ricevuti +navigation.network.info.inventoryRequests.tooltip=Stato della richiesta di dati di rete:\nNumero di richieste in sospeso: {0}\nNumero massimo di richieste: {1}\nTutti i dati ricevuti: {2} + + +#################################################################### +# Top panel +#################################################################### + +topPanel.wallet.balance=Saldo + + +###################################################### +## Dashboard +###################################################### + +dashboard.marketPrice=Ultimo prezzo di mercato +dashboard.offersOnline=Offerte online +dashboard.activeUsers=Profili utente pubblicati +dashboard.activeUsers.tooltip=I profili rimangono pubblicati sulla rete\nse l'utente è stato online negli ultimi 15 giorni. +dashboard.main.headline=Ottieni il tuo primo BTC +dashboard.main.content1=Inizia a fare trading o consulta le offerte disponibili nel libro degli ordini +dashboard.main.content2=Interfaccia utente basata su chat e guidata per il trading +dashboard.main.content3=La sicurezza si basa sulla reputazione del venditore +dashboard.main.button=Entra in Bisq Easy +dashboard.second.headline=Protocolli di trading multipli +dashboard.second.content=Consulta la tabella di marcia per i prossimi protocolli di trading. Ottieni una panoramica delle caratteristiche dei diversi protocolli. +dashboard.second.button=Esplora i protocolli di trading +dashboard.third.headline=Costruisci la reputazione +dashboard.third.content=Vuoi vendere Bitcoin su Bisq Easy? Scopri come funziona il sistema di reputazione e perché è importante. +dashboard.third.button=Costruisci reputazione + + +#################################################################### +# Popups +#################################################################### + +popup.headline.instruction=Nota: +popup.headline.attention=Attenzione +popup.headline.backgroundInfo=Informazioni di base +popup.headline.feedback=Completato +popup.headline.confirmation=Conferma +popup.headline.information=Informazioni +popup.headline.warning=Avviso +popup.headline.invalid=Input non valido +popup.headline.error=Errore +popup.reportBug=Segnala bug agli sviluppatori di Bisq +popup.reportError=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. +popup.reportBug.report=Versione di Bisq: {0}\nSistema operativo: {1}\nMessaggio di errore:\n{2} +popup.reportError.log=Apri file di log +popup.reportError.zipLogs=Comprimi i file di log +popup.reportError.gitHub=Segnala al tracker issue di GitHub +popup.startup.error=Si è verificato un errore durante l'inizializzazione di Bisq: {0}. +popup.shutdown=La chiusura è in corso.\n\nPotrebbero essere necessari fino a {0} secondi perché la chiusura sia completata. +popup.shutdown.error=Si è verificato un errore durante la chiusura: {0}. +popup.hyperlink.openInBrowser.tooltip=Apri il link nel browser: {0}. +popup.hyperlink.copy.tooltip=Copia il link: {0}. + + +#################################################################### +# Messages +#################################################################### +hyperlinks.openInBrowser.attention.headline=Apri link web +hyperlinks.openInBrowser.attention=Vuoi aprire il link a `{0}` nel tuo browser web predefinito? +hyperlinks.openInBrowser.no=No, copia il link +hyperlinks.copiedToClipboard=Il link è stato copiato negli appunti + +#################################################################### +# Video +#################################################################### +video.mp4NotSupported.warning.headline=Il video incorporato non può essere riprodotto +video.mp4NotSupported.warning=Puoi guardare il video nel tuo browser all'indirizzo: [HYPERLINK:{0}] + + +#################################################################### +# Misc +#################################################################### +version.versionAndCommitHash=Versione: v{0} / Commit hash: {1} diff --git a/shared/domain/src/commonMain/resources/mobile/application_pcm.properties b/shared/domain/src/commonMain/resources/mobile/application_pcm.properties new file mode 100644 index 00000000..0ee04cd2 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/application_pcm.properties @@ -0,0 +1,252 @@ +###################################################### +# +# Translation strings for application scope elements not covered by the more specific scopes +# +###################################################### + +###################################################### +# Splash +###################################################### + +splash.details.tooltip=Click mek you see or hide details + +# Dynamic values using DefaultApplicationService.State.name() +# suppress inspection "UnusedProperty" +splash.applicationServiceState.INITIALIZE_APP=Bisq dey start +# suppress inspection "UnusedProperty" +splash.applicationServiceState.INITIALIZE_NETWORK=To set P2P network +# suppress inspection "UnusedProperty" +splash.applicationServiceState.INITIALIZE_WALLET=To set wallet +# suppress inspection "UnusedProperty" +splash.applicationServiceState.INITIALIZE_SERVICES=To set services +# suppress inspection "UnusedProperty" +splash.applicationServiceState.APP_INITIALIZED=Bisq don start +# suppress inspection "UnusedProperty" +splash.applicationServiceState.FAILED=Startup no succeed +# suppress inspection "UnusedProperty" +splash.bootstrapState.service.CLEAR=Server +# suppress inspection "UnusedProperty" +splash.bootstrapState.service.TOR=Onion Service +# suppress inspection "UnusedProperty" +splash.bootstrapState.service.I2P=I2P Service +# suppress inspection "UnusedProperty" +splash.bootstrapState.network.CLEAR=Clear-net +# suppress inspection "UnusedProperty" +splash.bootstrapState.network.TOR=Tor +# suppress inspection "UnusedProperty" +splash.bootstrapState.network.I2P=I2P +# suppress inspection "UnusedProperty" +splash.bootstrapState.BOOTSTRAP_TO_NETWORK=To join {0} network +# suppress inspection "UnusedProperty" +splash.bootstrapState.START_PUBLISH_SERVICE=To start to dey show {0} +# suppress inspection "UnusedProperty" +splash.bootstrapState.SERVICE_PUBLISHED={0} don show +# suppress inspection "UnusedProperty" +splash.bootstrapState.CONNECTED_TO_PEERS=To connect to peers + + +#################################################################### +# TAC +#################################################################### + +tac.headline=User Agreement +tac.confirm=I don read and understand +tac.accept=Accept user Agreement +tac.reject=Reject and comot for application + + +#################################################################### +# Unlock +#################################################################### + +unlock.headline=Enter password to open +unlock.button=Open +unlock.failed=Password no fit open am.\n\nTry again, make sure say caps lock no dey on. + + +#################################################################### +# Updater +#################################################################### + +updater.headline=New update for Bisq dey available +updater.headline.isLauncherUpdate=New Bisq installer dey available +updater.releaseNotesHeadline=Release notes for version {0}: +updater.furtherInfo=Dis update go load after you restart and no need new installation.\nMore details dey for the release page at: +updater.furtherInfo.isLauncherUpdate=Dis update need new Bisq installation.\nIf you get wahala when you dey install Bisq for macOS, abeg read the instructions at: +updater.download=Download and check am +updater.downloadLater=Download later +updater.ignore=Ignore dis version +updater.shutDown=Shut down +updater.shutDown.isLauncherUpdate=Open download directory and shut down + +updater.downloadAndVerify.headline=Download and verify new version +updater.downloadAndVerify.info=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'). +updater.downloadAndVerify.info.isLauncherUpdate=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. +updater.table.file=Fail +updater.table.progress=Download progress +updater.table.progress.completed=Completed +updater.table.verified=Signature don verify + + +#################################################################### +# NotificationPanel +#################################################################### + +notificationPanel.trades.headline.single=New trade message for trade ''{0}'' +notificationPanel.trades.headline.multiple=New Trayd messages +notificationPanel.trades.button=Go to 'My open trades' +notificationPanel.mediationCases.headline.single=New mesaj for mediation case with Trayd ID ''{0}'' +notificationPanel.mediationCases.headline.multiple=New mesaj for mediashon +notificationPanel.mediationCases.button=Go to 'Mediator' + + +#################################################################### +# Onboarding +#################################################################### + +#################################################################### +# Welcome +#################################################################### + +onboarding.bisq2.headline=Welcome to Bisq 2 +onboarding.bisq2.teaserHeadline1=Introducing Bisq Easy +onboarding.bisq2.line1=To get your first Bitcoin for private way\ndon easy pass before. +onboarding.bisq2.teaserHeadline2=Learn & discover +onboarding.bisq2.line2=Get easy introduction into Bitcoin\nthrough our guides and community chat. +onboarding.bisq2.teaserHeadline3=Soon come +onboarding.bisq2.line3=Choose how you go like trade: Bisq MuSig, Lightning, Submarine Swaps,... + + +#################################################################### +# Create profile +#################################################################### + +onboarding.createProfile.headline=Create your Profile +onboarding.createProfile.subTitle=Your public profile get nickname (wey you go choose) and bot icon (wey dem generate with cryptography) +onboarding.createProfile.nym=Bot ID: +onboarding.createProfile.regenerate=Generate new bot icon +onboarding.createProfile.nym.generating=Dey calculate proof of work... +onboarding.createProfile.createProfile=Next +onboarding.createProfile.createProfile.busy=To set network node... +onboarding.createProfile.nickName.prompt=Choose your nickname +onboarding.createProfile.nickName=Profile nickname +onboarding.createProfile.nickName.tooLong=Nickname no fit pass {0} characters + + +#################################################################### +# Set password +#################################################################### + +onboarding.password.button.skip=Skip +onboarding.password.subTitle=Set up password protection now or skip and do am later for 'User options/Password'. + +onboarding.password.headline.setPassword=Set password protection +onboarding.password.button.savePassword=Save password +onboarding.password.enterPassword=Enter password (min. 8 characters) +onboarding.password.confirmPassword=Confirm password +onboarding.password.savePassword.success=Password protection don set. + + +#################################################################### +# Navigation +#################################################################### + +navigation.dashboard=Dashboard +navigation.bisqEasy=Bisq Easy +navigation.reputation=Reputashin +navigation.tradeApps=Trayd protocols +navigation.wallet=Walet +navigation.academy=Learn more +navigation.chat=Chat +navigation.support=Support +navigation.userOptions=User options +navigation.settings=Settings +navigation.network=Netwok +navigation.authorizedRole=Authorized role + +navigation.expandIcon.tooltip=Expand menu +navigation.collapseIcon.tooltip=Minimize menu +navigation.vertical.expandIcon.tooltip=Expand sub menu +navigation.vertical.collapseIcon.tooltip=Collapse sub menu +navigation.network.info.clearNet=Clear-net +navigation.network.info.tor=Tor +navigation.network.info.i2p=I2P +navigation.network.info.tooltip={0} net\nNumber of connections: {1}\nTarget connections: {2} +navigation.network.info.inventoryRequest.requesting=Requesting network data +navigation.network.info.inventoryRequest.completed=Network data don receive +navigation.network.info.inventoryRequests.tooltip=Network data request state:\nNumber of pending requests: {0}\nMax. requests: {1}\nAll data received: {2} + + +#################################################################### +# Top panel +#################################################################### + +topPanel.wallet.balance=Balance + + +###################################################### +## Dashboard +###################################################### + +dashboard.marketPrice=Latest market price +dashboard.offersOnline=Offers dey online +dashboard.activeUsers=Published user profiles +dashboard.activeUsers.tooltip=Profiles go dey published for the network\nif the user don dey online for the last 15 days. +dashboard.main.headline=Get your first BTC +dashboard.main.content1=Start trading or browse open offers for offerbook +dashboard.main.content2=Chat based and guided user interface for trayd +dashboard.main.content3=Security dey based on seller's reputation +dashboard.main.button=Enter Bisq Easy +dashboard.second.headline=Multiple trady protocols +dashboard.second.content=Check out the roadmap for upcoming trade protocols. Get overview about the features of the different protocols. +dashboard.second.button=Explore trady protocols +dashboard.third.headline=Build Reputashin +dashboard.third.content=You wan sell Bitcoin for Bisq Easy? Learn how di Reputashin system dey work and why e dey important. +dashboard.third.button=Build Reputashin + + +#################################################################### +# Popups +#################################################################### + +popup.headline.instruction=Please note: +popup.headline.attention=Attention +popup.headline.backgroundInfo=Background information +popup.headline.feedback=Completed +popup.headline.confirmation=Confirmeshon +popup.headline.information=Information +popup.headline.warning=Warning +popup.headline.invalid=Invalid input +popup.headline.error=Error +popup.reportBug=Report bug to Bisq developers +popup.reportError=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. +popup.reportBug.report=Bisq version: {0}\nOperating system: {1}\nError message:\n{2} +popup.reportError.log=Open log file +popup.reportError.zipLogs=Zip log files +popup.reportError.gitHub=Report to GitHub issue tracker +popup.startup.error=An error don happen when dem dey Set Bisq: {0}. +popup.shutdown=Shut down dey happen.\n\nE fit take up to {0} seconds before shut down don complete. +popup.shutdown.error=An error occur for shut down: {0}. +popup.hyperlink.openInBrowser.tooltip=Open link for browser: {0}. +popup.hyperlink.copy.tooltip=Copy link: {0}. + + +#################################################################### +# Messages +#################################################################### +hyperlinks.openInBrowser.attention.headline=Open web link +hyperlinks.openInBrowser.attention=You wan open the link to `{0}` for your default web browser? +hyperlinks.openInBrowser.no=No, copy link +hyperlinks.copiedToClipboard=Link don copy to clipboard + +#################################################################### +# Video +#################################################################### +video.mp4NotSupported.warning.headline=Embedded video no fit play +video.mp4NotSupported.warning=You fit watch di video for your browser at: [HYPERLINK:{0}] + + +#################################################################### +# Misc +#################################################################### +version.versionAndCommitHash=Version: v{0} / Commit hash: {1} diff --git a/shared/domain/src/commonMain/resources/mobile/application_pt_BR.properties b/shared/domain/src/commonMain/resources/mobile/application_pt_BR.properties new file mode 100644 index 00000000..ec1549e9 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/application_pt_BR.properties @@ -0,0 +1,252 @@ +###################################################### +# +# Translation strings for application scope elements not covered by the more specific scopes +# +###################################################### + +###################################################### +# Splash +###################################################### + +splash.details.tooltip=Clique para alternar detalhes + +# Dynamic values using DefaultApplicationService.State.name() +# suppress inspection "UnusedProperty" +splash.applicationServiceState.INITIALIZE_APP=Iniciando Bisq +# suppress inspection "UnusedProperty" +splash.applicationServiceState.INITIALIZE_NETWORK=Inicializar rede P2P +# suppress inspection "UnusedProperty" +splash.applicationServiceState.INITIALIZE_WALLET=Inicializar carteira +# suppress inspection "UnusedProperty" +splash.applicationServiceState.INITIALIZE_SERVICES=Inicializar serviços +# suppress inspection "UnusedProperty" +splash.applicationServiceState.APP_INITIALIZED=Bisq iniciado +# suppress inspection "UnusedProperty" +splash.applicationServiceState.FAILED=Falha na inicialização +# suppress inspection "UnusedProperty" +splash.bootstrapState.service.CLEAR=Servidor +# suppress inspection "UnusedProperty" +splash.bootstrapState.service.TOR=Serviço Onion +# suppress inspection "UnusedProperty" +splash.bootstrapState.service.I2P=Serviço I2P +# suppress inspection "UnusedProperty" +splash.bootstrapState.network.CLEAR=Rede clara +# suppress inspection "UnusedProperty" +splash.bootstrapState.network.TOR=Tor +# suppress inspection "UnusedProperty" +splash.bootstrapState.network.I2P=I2P +# suppress inspection "UnusedProperty" +splash.bootstrapState.BOOTSTRAP_TO_NETWORK=Inicialização para a rede {0} +# suppress inspection "UnusedProperty" +splash.bootstrapState.START_PUBLISH_SERVICE=Iniciar publicação {0} +# suppress inspection "UnusedProperty" +splash.bootstrapState.SERVICE_PUBLISHED={0} publicado +# suppress inspection "UnusedProperty" +splash.bootstrapState.CONNECTED_TO_PEERS=Conectando aos pares + + +#################################################################### +# TAC +#################################################################### + +tac.headline=Acordo do Usuário +tac.confirm=Eu li e entendi +tac.accept=Aceitar o Acordo do Usuário +tac.reject=Rejeitar e sair da aplicação + + +#################################################################### +# Unlock +#################################################################### + +unlock.headline=Insira a senha para desbloquear +unlock.button=Desbloquear +unlock.failed=Não foi possível desbloquear com a senha fornecida.\n\nTente novamente e certifique-se de que o Caps Lock está desativado. + + +#################################################################### +# Updater +#################################################################### + +updater.headline=Uma nova atualização do Bisq está disponível +updater.headline.isLauncherUpdate=Um novo instalador do Bisq está disponível +updater.releaseNotesHeadline=Notas de lançamento para a versão {0}: +updater.furtherInfo=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: +updater.furtherInfo.isLauncherUpdate=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: +updater.download=Baixar e verificar +updater.downloadLater=Baixar depois +updater.ignore=Ignorar esta versão +updater.shutDown=Desligar +updater.shutDown.isLauncherUpdate=Abrir diretório de download e desligar + +updater.downloadAndVerify.headline=Baixar e verificar nova versão +updater.downloadAndVerify.info=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'). +updater.downloadAndVerify.info.isLauncherUpdate=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. +updater.table.file=Arquivo +updater.table.progress=Progresso do download +updater.table.progress.completed=Concluído +updater.table.verified=Assinatura verificada + + +#################################################################### +# NotificationPanel +#################################################################### + +notificationPanel.trades.headline.single=Nova mensagem de negociação para a negociação ''{0}'' +notificationPanel.trades.headline.multiple=Novas mensagens de negociação +notificationPanel.trades.button=Ir para 'Negociações Abertas' +notificationPanel.mediationCases.headline.single=Nova mensagem para caso de mediação com ID de negociação ''{0}'' +notificationPanel.mediationCases.headline.multiple=Novas mensagens para mediação +notificationPanel.mediationCases.button=Ir para 'Mediador' + + +#################################################################### +# Onboarding +#################################################################### + +#################################################################### +# Welcome +#################################################################### + +onboarding.bisq2.headline=Bem-vindo ao Bisq 2 +onboarding.bisq2.teaserHeadline1=Apresentando Bisq Easy +onboarding.bisq2.line1=Obter seu primeiro Bitcoin de forma privada\nnunca foi tão fácil. +onboarding.bisq2.teaserHeadline2=Aprenda & descubra +onboarding.bisq2.line2=Tenha uma introdução gentil ao Bitcoin\natravés dos nossos guias e chat da comunidade. +onboarding.bisq2.teaserHeadline3=Em breve +onboarding.bisq2.line3=Escolha como negociar: Bisq MuSig, Lightning, Submarine Swaps,... + + +#################################################################### +# Create profile +#################################################################### + +onboarding.createProfile.headline=Crie seu perfil +onboarding.createProfile.subTitle=Seu perfil público consiste em um apelido (escolhido por você) e um ícone de bot (gerado criptograficamente) +onboarding.createProfile.nym=ID do Bot: +onboarding.createProfile.regenerate=Gerar novo ícone de bot +onboarding.createProfile.nym.generating=Calculando prova de trabalho... +onboarding.createProfile.createProfile=Próximo +onboarding.createProfile.createProfile.busy=Inicializando nó de rede... +onboarding.createProfile.nickName.prompt=Escolha seu apelido +onboarding.createProfile.nickName=Apelido do perfil +onboarding.createProfile.nickName.tooLong=O apelido não deve ter mais de {0} caracteres + + +#################################################################### +# Set password +#################################################################### + +onboarding.password.button.skip=Pular +onboarding.password.subTitle=Configure a proteção por senha agora ou pule e faça isso mais tarde em 'Opções do usuário/Senha'. + +onboarding.password.headline.setPassword=Definir proteção por senha +onboarding.password.button.savePassword=Salvar senha +onboarding.password.enterPassword=Insira a senha (mín. 8 caracteres) +onboarding.password.confirmPassword=Confirme a senha +onboarding.password.savePassword.success=Proteção por senha ativada. + + +#################################################################### +# Navigation +#################################################################### + +navigation.dashboard=Painel de Controle +navigation.bisqEasy=Bisq Easy +navigation.reputation=Reputação +navigation.tradeApps=Protocolos +navigation.wallet=Carteira +navigation.academy=Aprender +navigation.chat=Chat +navigation.support=Suporte +navigation.userOptions=Opções do usuário +navigation.settings=Configurações +navigation.network=Rede +navigation.authorizedRole=Função autorizada + +navigation.expandIcon.tooltip=Expandir menu +navigation.collapseIcon.tooltip=Minimizar menu +navigation.vertical.expandIcon.tooltip=Expandir sub-menu +navigation.vertical.collapseIcon.tooltip=Recolher sub-menu +navigation.network.info.clearNet=Rede clara +navigation.network.info.tor=Tor +navigation.network.info.i2p=I2P +navigation.network.info.tooltip=Rede {0}\nNúmero de conexões: {1}\nConexões alvo: {2} +navigation.network.info.inventoryRequest.requesting=Solicitando dados de rede +navigation.network.info.inventoryRequest.completed=Dados de rede recebidos +navigation.network.info.inventoryRequests.tooltip=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} + + +#################################################################### +# Top panel +#################################################################### + +topPanel.wallet.balance=Saldo + + +###################################################### +## Dashboard +###################################################### + +dashboard.marketPrice=Último preço de mercado +dashboard.offersOnline=Ofertas online +dashboard.activeUsers=Perfis de usuários publicados +dashboard.activeUsers.tooltip=Os perfis permanecem publicados na rede\nse o usuário esteve online nos últimos 15 dias. +dashboard.main.headline=Obtenha seu primeiro BTC +dashboard.main.content1=Comece a negociar ou navegue pelas ofertas abertas no livro de ofertas +dashboard.main.content2=Interface de usuário baseada em chat e guiada para negociação +dashboard.main.content3=A segurança é baseada na reputação do vendedor +dashboard.main.button=Entrar no Bisq Easy +dashboard.second.headline=Múltiplos protocolos de negociação +dashboard.second.content=Confira o roteiro para os próximos protocolos de negociação. Obtenha uma visão geral sobre os recursos dos diferentes protocolos. +dashboard.second.button=Explorar protocolos de negociação +dashboard.third.headline=Construa sua reputação +dashboard.third.content=Você deseja vender Bitcoin no Bisq Easy? Aprenda como funciona o sistema de reputação e por que é importante. +dashboard.third.button=Construir Reputação + + +#################################################################### +# Popups +#################################################################### + +popup.headline.instruction=Por favor, observe: +popup.headline.attention=Atenção +popup.headline.backgroundInfo=Informações de fundo +popup.headline.feedback=Concluído +popup.headline.confirmation=Confirmação +popup.headline.information=Informação +popup.headline.warning=Aviso +popup.headline.invalid=Entrada inválida +popup.headline.error=Erro +popup.reportBug=Reportar bug aos desenvolvedores do Bisq +popup.reportError=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. +popup.reportBug.report=Versão do Bisq: {0}\nSistema operacional: {1}\nMensagem de erro:\n{2} +popup.reportError.log=Abrir arquivo de log +popup.reportError.zipLogs=Compactar arquivos de log +popup.reportError.gitHub=Reportar ao rastreador de problemas do GitHub +popup.startup.error=Ocorreu um erro ao inicializar o Bisq: {0}. +popup.shutdown=O processo de desligamento está em andamento.\n\nPode levar até {0} segundos até que o desligamento seja concluído. +popup.shutdown.error=Ocorreu um erro ao desligar: {0}. +popup.hyperlink.openInBrowser.tooltip=Abrir link no navegador: {0}. +popup.hyperlink.copy.tooltip=Copiar link: {0}. + + +#################################################################### +# Messages +#################################################################### +hyperlinks.openInBrowser.attention.headline=Abrir link da web +hyperlinks.openInBrowser.attention=Deseja abrir o link para `{0}` no seu navegador web padrão? +hyperlinks.openInBrowser.no=Não, copiar link +hyperlinks.copiedToClipboard=Link copiado para a área de transferência + +#################################################################### +# Video +#################################################################### +video.mp4NotSupported.warning.headline=Vídeo embutido não pode ser reproduzido +video.mp4NotSupported.warning=Você pode assistir ao vídeo no seu navegador em: [HYPERLINK:{0}] + + +#################################################################### +# Misc +#################################################################### +version.versionAndCommitHash=Versão: v{0} / Hash do commit: {1} diff --git a/shared/domain/src/commonMain/resources/mobile/application_ru.properties b/shared/domain/src/commonMain/resources/mobile/application_ru.properties new file mode 100644 index 00000000..2aa4987a --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/application_ru.properties @@ -0,0 +1,252 @@ +###################################################### +# +# Translation strings for application scope elements not covered by the more specific scopes +# +###################################################### + +###################################################### +# Splash +###################################################### + +splash.details.tooltip=Нажмите, чтобы просмотреть подробную информацию + +# Dynamic values using DefaultApplicationService.State.name() +# suppress inspection "UnusedProperty" +splash.applicationServiceState.INITIALIZE_APP=Начало Bisq +# suppress inspection "UnusedProperty" +splash.applicationServiceState.INITIALIZE_NETWORK=Инициализация P2P-сети +# suppress inspection "UnusedProperty" +splash.applicationServiceState.INITIALIZE_WALLET=Инициализация кошелька +# suppress inspection "UnusedProperty" +splash.applicationServiceState.INITIALIZE_SERVICES=Инициализация служб +# suppress inspection "UnusedProperty" +splash.applicationServiceState.APP_INITIALIZED=Bisq начал +# suppress inspection "UnusedProperty" +splash.applicationServiceState.FAILED=Запуск не удался +# suppress inspection "UnusedProperty" +splash.bootstrapState.service.CLEAR=Сервер +# suppress inspection "UnusedProperty" +splash.bootstrapState.service.TOR=Луковая служба +# suppress inspection "UnusedProperty" +splash.bootstrapState.service.I2P=Сервис I2P +# suppress inspection "UnusedProperty" +splash.bootstrapState.network.CLEAR=Чистая сеть +# suppress inspection "UnusedProperty" +splash.bootstrapState.network.TOR=Tor +# suppress inspection "UnusedProperty" +splash.bootstrapState.network.I2P=I2P +# suppress inspection "UnusedProperty" +splash.bootstrapState.BOOTSTRAP_TO_NETWORK=Привязка к сети {0} +# suppress inspection "UnusedProperty" +splash.bootstrapState.START_PUBLISH_SERVICE=Начать публикацию {0} +# suppress inspection "UnusedProperty" +splash.bootstrapState.SERVICE_PUBLISHED=Опубликовано {0} +# suppress inspection "UnusedProperty" +splash.bootstrapState.CONNECTED_TO_PEERS=Связь с коллегами + + +#################################################################### +# TAC +#################################################################### + +tac.headline=Пользовательское соглашение +tac.confirm=Я прочитал и понял +tac.accept=Примите пользовательское соглашение +tac.reject=Отклонить и выйти из приложения + + +#################################################################### +# Unlock +#################################################################### + +unlock.headline=Введите пароль для разблокировки +unlock.button=Разблокировать +unlock.failed=Не удалось разблокировать с помощью указанного пароля.\n\nПопробуйте еще раз и убедитесь, что капс лок отключен. + + +#################################################################### +# Updater +#################################################################### + +updater.headline=Доступно новое обновление Bisq +updater.headline.isLauncherUpdate=Доступна новая программа установки Bisq +updater.releaseNotesHeadline=Примечания к выпуску для версии {0}: +updater.furtherInfo=Это обновление будет загружено после перезагрузки и не требует новой установки.\nБолее подробную информацию можно найти на странице релиза по адресу: +updater.furtherInfo.isLauncherUpdate=Это обновление требует новой установки Bisq.\nЕсли у вас возникли проблемы при установке Bisq на macOS, ознакомьтесь с инструкциями на сайте: +updater.download=Скачать и проверить +updater.downloadLater=Скачать позже +updater.ignore=Игнорировать эту версию +updater.shutDown=Выключить +updater.shutDown.isLauncherUpdate=Откройте каталог загрузки и выключите + +updater.downloadAndVerify.headline=Загрузить и проверить новую версию +updater.downloadAndVerify.info=После загрузки всех файлов ключ подписи сравнивается с ключами, предоставленными в приложении, и ключами, доступными на сайте Bisq. Затем этот ключ используется для проверки загруженной новой версии ('desktop.jar'). +updater.downloadAndVerify.info.isLauncherUpdate=После загрузки всех файлов ключ подписи сравнивается с ключами, указанными в приложении и доступными на сайте Bisq. Затем этот ключ используется для проверки загруженной новой программы установки Bisq. После завершения загрузки и проверки перейдите в каталог загрузки, чтобы установить новую версию Bisq. +updater.table.file=Файл +updater.table.progress=Прогресс загрузки +updater.table.progress.completed=Завершено +updater.table.verified=Подпись проверена + + +#################################################################### +# NotificationPanel +#################################################################### + +notificationPanel.trades.headline.single=Новое торговое сообщение для сделки ''{0}'' +notificationPanel.trades.headline.multiple=Новые торговые сообщения +notificationPanel.trades.button=Перейдите в раздел "Открытые сделки". +notificationPanel.mediationCases.headline.single=Новое сообщение для случая посредничества с торговым идентификатором ''{0}'' +notificationPanel.mediationCases.headline.multiple=Новые сообщения для медиации +notificationPanel.mediationCases.button=Перейти к разделу 'Посредник' + + +#################################################################### +# Onboarding +#################################################################### + +#################################################################### +# Welcome +#################################################################### + +onboarding.bisq2.headline=Добро пожаловать в Bisq 2 +onboarding.bisq2.teaserHeadline1=Представляем вашему вниманию Bisq Easy +onboarding.bisq2.line1=Получить свой первый биткоин частным образом\nеще никогда не было так просто. +onboarding.bisq2.teaserHeadline2=Учитесь и открывайте +onboarding.bisq2.line2=Получите легкое введение в биткойн\nс помощью наших руководств и общения в сообществе. +onboarding.bisq2.teaserHeadline3=Скоро будет +onboarding.bisq2.line3=Выберите способ торговли: Bisq MuSig, Молния, Подводные свопы,... + + +#################################################################### +# Create profile +#################################################################### + +onboarding.createProfile.headline=Создайте свой профиль +onboarding.createProfile.subTitle=Ваш публичный профиль состоит из никнейма (выбираете вы) и иконки бота (генерируется криптографически). +onboarding.createProfile.nym=Идентификатор бота: +onboarding.createProfile.regenerate=Создайте новую иконку бота +onboarding.createProfile.nym.generating=Вычисление доказательств работы... +onboarding.createProfile.createProfile=Далее +onboarding.createProfile.createProfile.busy=Инициализация сетевого узла... +onboarding.createProfile.nickName.prompt=Выберите свой ник +onboarding.createProfile.nickName=Псевдоним профиля +onboarding.createProfile.nickName.tooLong=Длина псевдонима не должна превышать {0} символов + + +#################################################################### +# Set password +#################################################################### + +onboarding.password.button.skip=Пропустить +onboarding.password.subTitle=Установите защиту паролем сейчас или пропустите и сделайте это позже в разделе "Параметры пользователя/Пароль". + +onboarding.password.headline.setPassword=Установите защиту паролем +onboarding.password.button.savePassword=Сохранить пароль +onboarding.password.enterPassword=Введите пароль (минимум 8 символов) +onboarding.password.confirmPassword=Подтвердите пароль +onboarding.password.savePassword.success=Защита паролем включена. + + +#################################################################### +# Navigation +#################################################################### + +navigation.dashboard=Приборная панель +navigation.bisqEasy=Bisq Легко +navigation.reputation=Репутация +navigation.tradeApps=Торговые протоколы +navigation.wallet=Кошелек +navigation.academy=Узнать +navigation.chat=Чат +navigation.support=Поддержка +navigation.userOptions=Опции пользователя +navigation.settings=Настройки +navigation.network=Сеть +navigation.authorizedRole=Авторизованная роль + +navigation.expandIcon.tooltip=Развернуть меню +navigation.collapseIcon.tooltip=Минимизировать меню +navigation.vertical.expandIcon.tooltip=Развернуть подменю +navigation.vertical.collapseIcon.tooltip=Свернуть подменю +navigation.network.info.clearNet=Чистая сеть +navigation.network.info.tor=Tor +navigation.network.info.i2p=I2P +navigation.network.info.tooltip={0} сеть\nКоличество соединений: {1}\nЦелевые соединения: {2} +navigation.network.info.inventoryRequest.requesting=Запрос сетевых данных +navigation.network.info.inventoryRequest.completed=Полученные сетевые данные +navigation.network.info.inventoryRequests.tooltip=Состояние запроса сетевых данных:\nКоличество ожидающих запросов: {0}\nМакс. запросы: {1}\nВсе данные получены: {2} + + +#################################################################### +# Top panel +#################################################################### + +topPanel.wallet.balance=Баланс + + +###################################################### +## Dashboard +###################################################### + +dashboard.marketPrice=Последняя рыночная цена +dashboard.offersOnline=Предложения онлайн +dashboard.activeUsers=Опубликованные профили пользователей +dashboard.activeUsers.tooltip=Профили остаются опубликованными в сети\nесли пользователь был онлайн в течение последних 15 дней. +dashboard.main.headline=Получите свой первый BTC +dashboard.main.content1=Начните торговать или просматривайте открытые предложения в книге предложений +dashboard.main.content2=Интерфейс для торговли, основанный на чате и руководстве пользователя +dashboard.main.content3=Безопасность основана на репутации продавца +dashboard.main.button=Введите Bisq Easy +dashboard.second.headline=Несколько торговых протоколов +dashboard.second.content=Ознакомьтесь с дорожной картой предстоящих торговых протоколов. Получите представление о возможностях различных протоколов. +dashboard.second.button=Изучите торговые протоколы +dashboard.third.headline=Укрепление репутации +dashboard.third.content=Хотите продать биткоин на Bisq Easy? Узнайте, как работает система репутации и почему она важна. +dashboard.third.button=Создайте репутацию + + +#################################################################### +# Popups +#################################################################### + +popup.headline.instruction=Обратите внимание: +popup.headline.attention=Внимание +popup.headline.backgroundInfo=Справочная информация +popup.headline.feedback=Завершено +popup.headline.confirmation=Подтверждение +popup.headline.information=Информация +popup.headline.warning=Внимание +popup.headline.invalid=Недопустимый ввод +popup.headline.error=Ошибка +popup.reportBug=Сообщите об ошибке разработчикам Bisq +popup.reportError=Чтобы помочь нам улучшить программное обеспечение, пожалуйста, сообщите об этой ошибке, открыв новый вопрос по адресу: 'https://github.com/bisq-network/bisq2/issues'.\nСообщение об ошибке будет скопировано в буфер обмена, когда вы нажмете кнопку 'report' ниже.\n\nОтладка будет проще, если вы включите файлы журнала в сообщение об ошибке. Лог-файлы не содержат конфиденциальных данных. +popup.reportBug.report=Версия Bisq: {0}\nОперационная система: {1}\nСообщение об ошибке:\n{2} +popup.reportError.log=Открыть файл журнала +popup.reportError.zipLogs=Zip-файлы журналов +popup.reportError.gitHub=Отчет в репозиторий Bisq GitHub +popup.startup.error=Произошла ошибка при инициализации Bisq: {0}. +popup.shutdown=Выключение находится в процессе.\n\nДо завершения отключения может пройти {0} секунд. +popup.shutdown.error=Произошла ошибка при выключении: {0}. +popup.hyperlink.openInBrowser.tooltip=Открыть ссылку в браузере: {0}. +popup.hyperlink.copy.tooltip=Копировать ссылку: {0}. + + +#################################################################### +# Messages +#################################################################### +hyperlinks.openInBrowser.attention.headline=Открыть веб-ссылку +hyperlinks.openInBrowser.attention=Вы хотите открыть ссылку на `{0}` в веб-браузере по умолчанию? +hyperlinks.openInBrowser.no=Нет, скопируйте ссылку +hyperlinks.copiedToClipboard=Ссылка была скопирована в буфер обмена + +#################################################################### +# Video +#################################################################### +video.mp4NotSupported.warning.headline=Встроенное видео не может быть воспроизведено +video.mp4NotSupported.warning=Вы можете посмотреть видео в своем браузере по ссылке: [HYPERLINK:{0}]. + + +#################################################################### +# Misc +#################################################################### +version.versionAndCommitHash=Версия: v{0} / Комментарий хэша: {1} diff --git a/shared/domain/src/commonMain/resources/mobile/authorized_role.properties b/shared/domain/src/commonMain/resources/mobile/authorized_role.properties new file mode 100644 index 00000000..fdc234f0 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/authorized_role.properties @@ -0,0 +1,159 @@ +################################################################################ +# +# Authorized Role +# +################################################################################ + +# suppress inspection "UnusedProperty" +authorizedRole.MEDIATOR=Mediator +# suppress inspection "UnusedProperty" +authorizedRole.MODERATOR=Moderator +# suppress inspection "UnusedProperty" +authorizedRole.ARBITRATOR=Arbitrator +# suppress inspection "UnusedProperty" +authorizedRole.SECURITY_MANAGER=Security manager +# suppress inspection "UnusedProperty" +authorizedRole.RELEASE_MANAGER=Release manager +# suppress inspection "UnusedProperty" +authorizedRole.ORACLE_NODE=Oracle node +# suppress inspection "UnusedProperty" +authorizedRole.SEED_NODE=Seed node +# suppress inspection "UnusedProperty" +authorizedRole.EXPLORER_NODE=Explorer node +# suppress inspection "UnusedProperty" +authorizedRole.MARKET_PRICE_NODE=Market price node + + +################################################################################ +# Bonded role info +################################################################################ + +authorizedRole.roleInfo.headline=Bonded role data +authorizedRole.roleInfo.profileId=Profile ID +authorizedRole.roleInfo.authorizedPublicKey=Authorized public key +authorizedRole.roleInfo.bondedRoleType=Bonded role type +authorizedRole.roleInfo.bondUserName=Bond username +authorizedRole.roleInfo.signature=Signature +authorizedRole.roleInfo.addressByNetworkType=Address +authorizedRole.roleInfo.authorizingOracleNodeProfileId=Oracle profile ID +authorizedRole.roleInfo.staticPublicKeysProvided=Public key provided statically +authorizedRole.roleInfo.authorizedPublicKeys=Static list of authorized public keys +authorizedRole.roleInfo.isBanned=Banned + + +################################################################################ +# Mediator +################################################################################ +authorizedRole.mediator.message.toRequester=You requested mediation support. The Bisq mediator will join the trade chat to assist you. +authorizedRole.mediator.message.toNonRequester=Your trade peer requested mediation support. The Bisq mediator will join the trade chat to assist you. +authorizedRole.mediator.noOpenCases=You don't have any open mediation cases +authorizedRole.mediator.noClosedCases=You don't have any closed mediation cases +authorizedRole.mediator.table.headline=Mediation cases +authorizedRole.mediator.table.maker=Maker +authorizedRole.mediator.table.taker=Taker +authorizedRole.mediator.close=Close case +authorizedRole.mediator.reOpen=Re-open case +authorizedRole.mediator.leave=Leave chat +authorizedRole.mediator.showClosedCases=Show closed cases +authorizedRole.mediator.hasRequested={0}\nHas requested mediation: {1} +authorizedRole.mediator.close.warning=Are you sure you want to close the mediation case?\n\n\ + Be sure that you have communicated to the trade peers your mediation result.\n\n\ + You can access the mediation case after closing when you toggle the switch-button in the top-right corner. \ + The chat channel still remains open. Once you have closed the case you will get an option to leave the channel. +authorizedRole.mediator.close.tradeLogMessage=The mediator has closed the case +authorizedRole.mediator=The mediator has re-opened the case. +authorizedRole.mediator.leaveChannel.warning=Are you sure you want to leave the chat channel?\n\n\ + Once you left the chat channel all messages and channel data are gone, and you cannot communicate with the traders anymore. + + +################################################################################ +################################################################################ +# Moderator +################################################################################ + +authorizedRole.moderator.reportToModerator.table.headline=Reports +authorizedRole.moderator.table.message=Message +authorizedRole.moderator.table.chatChannelDomain=Channel +authorizedRole.moderator.table.reporter=Reporter +authorizedRole.moderator.table.accused=Accused +authorizedRole.moderator.table.ban=Ban +authorizedRole.moderator.table.contact=Contact +authorizedRole.moderator.table.delete=Delete + +authorizedRole.moderator.bannedUserProfile.table.headline=Banned user profiles +authorizedRole.moderator.bannedUserProfile.table.userProfile=User profile +authorizedRole.moderator.bannedUserProfile.table.contact=Contact + +authorizedRole.moderator.table.removeBan=Remove ban + +authorizedRole.moderator.replyMsg=I am a Bisq moderator and would like to discuss the report you sent. + + +################################################################################ +# Security manager +################################################################################ +authorizedRole.securityManager.difficultyAdjustment.headline=Pow difficulty adjustment +authorizedRole.securityManager.difficultyAdjustment.description=Difficulty adjustment factor +authorizedRole.securityManager.difficultyAdjustment.invalid=Must be a number between 0 and {0} +authorizedRole.securityManager.difficultyAdjustment.button=Publish difficulty adjustment factor +authorizedRole.securityManager.difficultyAdjustment.table.headline=Published difficulty adjustment data +authorizedRole.securityManager.difficultyAdjustment.table.value=Value + +authorizedRole.securityManager.alert.headline=Management of alerts +authorizedRole.securityManager.selectAlertType=Select alert type +authorizedRole.securityManager.alert.message.headline=Headline +authorizedRole.securityManager.alert.message=Alert message (max 1000 characters) +authorizedRole.securityManager.alert.message.tooLong=Alert message is longer than 1000 characters +authorizedRole.securityManager.emergency.haltTrading=Halt trading +authorizedRole.securityManager.emergency.requireVersionForTrading=Require min. version for trading +authorizedRole.securityManager.emergency.requireVersionForTrading.version=Version +authorizedRole.securityManager.emergency.requireVersionForTrading.version.prompt=Enter min. version number (e.g.: `2.1.2`) +authorizedRole.securityManager.selectBondedRole=Select bonded role +authorizedRole.securityManager.selectedBondedRole={0}: Nickname: {1}, Profile ID: {2} +authorizedRole.securityManager.selectedBondedNode={0}: Nickname: {1}, Profile ID: {2}, Address: {3} + +authorizedRole.securityManager.alert.table.headline=Alerts +authorizedRole.securityManager.alert.table.alertType=Type +authorizedRole.securityManager.alert.table.message=Message +authorizedRole.securityManager.alert.table.haltTrading=Halt trading +authorizedRole.securityManager.alert.table.requireVersionForTrading=Require min. version +authorizedRole.securityManager.alert.table.minVersion=Min. version +authorizedRole.securityManager.alert.table.bannedRole=Banned role +authorizedRole.securityManager.alert.table.bannedRole.value={0}: {1} ({2}) +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.actionButton.INFO=Send info alert +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.actionButton.WARN=Send warning alert +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.actionButton.EMERGENCY=Send emergency alert +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.actionButton.BAN=Ban bonded role +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.alertType.INFO=Info +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.alertType.WARN=Warning +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.alertType.EMERGENCY=Emergency +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.alertType.BAN=Ban role + + +################################################################################ +# Release manager +################################################################################ + +authorizedRole.releaseManager.headline=Send update notification +authorizedRole.releaseManager.releaseNotes=Release notes +authorizedRole.releaseManager.isPreRelease=Is pre-release +authorizedRole.releaseManager.isLauncherUpdate=Is launcher update +authorizedRole.releaseManager.version=Release version +authorizedRole.releaseManager.send=Publish + +authorizedRole.releaseManager.table.headline=Update notifications +authorizedRole.releaseManager.table.releaseNotes=Release notes +authorizedRole.releaseManager.table.version=Version +authorizedRole.releaseManager.table.isPreRelease=Is pre-release +authorizedRole.releaseManager.table.isLauncherUpdate=Launcher update +authorizedRole.releaseManager.table.profileId=Publisher profile ID + + diff --git a/shared/domain/src/commonMain/resources/mobile/authorized_role_af_ZA.properties b/shared/domain/src/commonMain/resources/mobile/authorized_role_af_ZA.properties new file mode 100644 index 00000000..49a344e8 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/authorized_role_af_ZA.properties @@ -0,0 +1,155 @@ +################################################################################ +# +# Authorized Role +# +################################################################################ + +# suppress inspection "UnusedProperty" +authorizedRole.MEDIATOR=Bemiddelaar +# suppress inspection "UnusedProperty" +authorizedRole.MODERATOR=Moderator +# suppress inspection "UnusedProperty" +authorizedRole.ARBITRATOR=Skeidsregter +# suppress inspection "UnusedProperty" +authorizedRole.SECURITY_MANAGER=Sekuriteitsbestuurder +# suppress inspection "UnusedProperty" +authorizedRole.RELEASE_MANAGER=Vrystellingsbestuurder +# suppress inspection "UnusedProperty" +authorizedRole.ORACLE_NODE=Oracle-knoop +# suppress inspection "UnusedProperty" +authorizedRole.SEED_NODE=Saadnode +# suppress inspection "UnusedProperty" +authorizedRole.EXPLORER_NODE=Verkenner-knoop +# suppress inspection "UnusedProperty" +authorizedRole.MARKET_PRICE_NODE=Marktprys-knoop + + +################################################################################ +# Bonded role info +################################################################################ + +authorizedRole.roleInfo.headline=Verbonde rol data +authorizedRole.roleInfo.profileId=Profiel-ID +authorizedRole.roleInfo.authorizedPublicKey=Geautoriseerde openbare sleutel +authorizedRole.roleInfo.bondedRoleType=Verbonde rol tipe +authorizedRole.roleInfo.bondUserName=Verbonde gebruikersnaam +authorizedRole.roleInfo.signature=Handtekening +authorizedRole.roleInfo.addressByNetworkType=Adres +authorizedRole.roleInfo.authorizingOracleNodeProfileId=Oracle profiel-ID +authorizedRole.roleInfo.staticPublicKeysProvided=Publieke sleutel staties verskaf +authorizedRole.roleInfo.authorizedPublicKeys=Statische lys van gemagtigde publieke sleutels +authorizedRole.roleInfo.isBanned=Verbode + + +################################################################################ +# Mediator +################################################################################ +authorizedRole.mediator.message.toRequester=U het bemiddelingsondersteuning aangevra. Die Bisq bemiddelaar sal by die handel geselskap aansluit om u te help. +authorizedRole.mediator.message.toNonRequester=Jou handel peer het bemiddelingsondersteuning aangevra. Die Bisq bemiddelaar sal by die handel geselskap voeg om jou te help. +authorizedRole.mediator.noOpenCases=Jy het geen oop bemiddelingsake nie +authorizedRole.mediator.noClosedCases=Jy het geen geslote bemiddelingsake nie +authorizedRole.mediator.table.headline=Bemiddelingsake +authorizedRole.mediator.table.maker=Maker +authorizedRole.mediator.table.taker=Neem +authorizedRole.mediator.close=Sluit saak +authorizedRole.mediator.reOpen=Heropen saak +authorizedRole.mediator.leave=Verlaat die gesels +authorizedRole.mediator.showClosedCases=Wys geslote sake +authorizedRole.mediator.hasRequested=Het bemiddeling aangevra: {1} +authorizedRole.mediator.close.warning=Is jy seker jy wil die bemiddelingssaak sluit?\n\nMaak seker dat jy jou bemiddelingsresultaat aan die handelsvennote gekommunikeer het.\n\nJy kan toegang tot die bemiddelingssaak verkry nadat jy dit gesluit het wanneer jy die skakelaar in die boonste regterhoek omskakel. Die geselskapkanaal bly steeds oop. Sodra jy die saak gesluit het, sal jy 'n opsie kry om die kanaal te verlaat. +authorizedRole.mediator.close.tradeLogMessage=Die bemiddelaar het die saak gesluit +authorizedRole.mediator=Die bemiddelaar het die saak heropen. +authorizedRole.mediator.leaveChannel.warning=Is jy seker jy wil die geselskapkanaal verlaat?\n\nSodra jy die geselskapkanaal verlaat het, is al die boodskappe en kanaaldata weg, en jy kan nie meer met die handelaars kommunikeer nie. + + +################################################################################ +################################################################################ +# Moderator +################################################################################ + +authorizedRole.moderator.reportToModerator.table.headline=Verslae +authorizedRole.moderator.table.message=Boodskap +authorizedRole.moderator.table.chatChannelDomain=Kanaal +authorizedRole.moderator.table.reporter=Reporter +authorizedRole.moderator.table.accused=Beskuldigde +authorizedRole.moderator.table.ban=Ban +authorizedRole.moderator.table.contact=Kontak +authorizedRole.moderator.table.delete=Verwyder + +authorizedRole.moderator.bannedUserProfile.table.headline=Verbode gebruikersprofiele +authorizedRole.moderator.bannedUserProfile.table.userProfile=Gebruikersprofiel +authorizedRole.moderator.bannedUserProfile.table.contact=Kontak + +authorizedRole.moderator.table.removeBan=Verwyder verbod + +authorizedRole.moderator.replyMsg=Ek is 'n Bisq Moderator en wil graag die verslag bespreek wat jy gestuur het. + + +################################################################################ +# Security manager +################################################################################ +authorizedRole.securityManager.difficultyAdjustment.headline=Pow moeilikheid aanpassing +authorizedRole.securityManager.difficultyAdjustment.description=Moeilikheid aanpassingsfaktor +authorizedRole.securityManager.difficultyAdjustment.invalid=Moet 'n nommer wees tussen 0 en {0} +authorizedRole.securityManager.difficultyAdjustment.button=Publiseer moeilikheid aanpassingsfaktor +authorizedRole.securityManager.difficultyAdjustment.table.headline=Gepubliseerde moeilikheid aanpassingsdata +authorizedRole.securityManager.difficultyAdjustment.table.value=Waarde + +authorizedRole.securityManager.alert.headline=Bestuur van waarskuwings +authorizedRole.securityManager.selectAlertType=Kies waarskuwing tipe +authorizedRole.securityManager.alert.message.headline=Opskrif +authorizedRole.securityManager.alert.message=Waarskuwing boodskap (maks 1000 karakters) +authorizedRole.securityManager.alert.message.tooLong=Die waarskuwingboodskap is langer as 1000 karakters +authorizedRole.securityManager.emergency.haltTrading=Halt handel +authorizedRole.securityManager.emergency.requireVersionForTrading=Vereis minimum weergawe vir handel +authorizedRole.securityManager.emergency.requireVersionForTrading.version=Weergawe +authorizedRole.securityManager.emergency.requireVersionForTrading.version.prompt=Voer minimum weergawe nommer in (bv.: `2.1.2`) +authorizedRole.securityManager.selectBondedRole=Kies verbonde rol +authorizedRole.securityManager.selectedBondedRole=Bynaam: {1}, Profiel-ID: {2} +authorizedRole.securityManager.selectedBondedNode={0}: Bynaam: {1}, Profiel-ID: {2}, Adres: {3} + +authorizedRole.securityManager.alert.table.headline=Waarskuwings +authorizedRole.securityManager.alert.table.alertType=Tipe +authorizedRole.securityManager.alert.table.message=Boodskap +authorizedRole.securityManager.alert.table.haltTrading=Halt handel +authorizedRole.securityManager.alert.table.requireVersionForTrading=Vereis min. weergawe +authorizedRole.securityManager.alert.table.minVersion=Min. weergawe +authorizedRole.securityManager.alert.table.bannedRole=Verbode rol +authorizedRole.securityManager.alert.table.bannedRole.value={0}: {1} ({2}) +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.actionButton.INFO=Stuur inligting waarskuwing +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.actionButton.WARN=Stuur waarskuwing kennisgewing +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.actionButton.EMERGENCY=Stuur noodwaarskuwing +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.actionButton.BAN=Ban verbonde rol +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.alertType.INFO=Inligting +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.alertType.WARN=Waarskuwing +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.alertType.EMERGENCY=Noodgeval +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.alertType.BAN=Ban rol + + +################################################################################ +# Release manager +################################################################################ + +authorizedRole.releaseManager.headline=Stuur opdateringskennisgewing +authorizedRole.releaseManager.releaseNotes=Vrystellingsnotas +authorizedRole.releaseManager.isPreRelease=Is voorvrystelling +authorizedRole.releaseManager.isLauncherUpdate=Is vrystellingsopdatering +authorizedRole.releaseManager.version=Vrystellingsweergawe +authorizedRole.releaseManager.send=Publiseer + +authorizedRole.releaseManager.table.headline=Opdateringskennisgewings +authorizedRole.releaseManager.table.releaseNotes=Vrystellingsnotas +authorizedRole.releaseManager.table.version=Weergawe +authorizedRole.releaseManager.table.isPreRelease=Is voorvrystelling +authorizedRole.releaseManager.table.isLauncherUpdate=Lanceringsopdatering +authorizedRole.releaseManager.table.profileId=Publisher profiel-ID + + diff --git a/shared/domain/src/commonMain/resources/mobile/authorized_role_cs.properties b/shared/domain/src/commonMain/resources/mobile/authorized_role_cs.properties new file mode 100644 index 00000000..2bc34c28 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/authorized_role_cs.properties @@ -0,0 +1,155 @@ +################################################################################ +# +# Authorized Role +# +################################################################################ + +# suppress inspection "UnusedProperty" +authorizedRole.MEDIATOR=Mediátor +# suppress inspection "UnusedProperty" +authorizedRole.MODERATOR=Moderátor +# suppress inspection "UnusedProperty" +authorizedRole.ARBITRATOR=Arbitr +# suppress inspection "UnusedProperty" +authorizedRole.SECURITY_MANAGER=Manažer bezpečnosti +# suppress inspection "UnusedProperty" +authorizedRole.RELEASE_MANAGER=Manažer vydání +# suppress inspection "UnusedProperty" +authorizedRole.ORACLE_NODE=Uzel Oracle +# suppress inspection "UnusedProperty" +authorizedRole.SEED_NODE=Začátečník uzlu +# suppress inspection "UnusedProperty" +authorizedRole.EXPLORER_NODE=Průzkumný uzel +# suppress inspection "UnusedProperty" +authorizedRole.MARKET_PRICE_NODE=Uzel tržní ceny + + +################################################################################ +# Bonded role info +################################################################################ + +authorizedRole.roleInfo.headline=Data role s vazbou +authorizedRole.roleInfo.profileId=ID profilu +authorizedRole.roleInfo.authorizedPublicKey=Autorizovaný veřejný klíč +authorizedRole.roleInfo.bondedRoleType=Typ role s vazbou +authorizedRole.roleInfo.bondUserName=Uživatelské jméno pro vazbu +authorizedRole.roleInfo.signature=Podpis +authorizedRole.roleInfo.addressByNetworkType=Adresa +authorizedRole.roleInfo.authorizingOracleNodeProfileId=ID profilu Oracle +authorizedRole.roleInfo.staticPublicKeysProvided=Veřejný klíč poskytnut staticky +authorizedRole.roleInfo.authorizedPublicKeys=Statický seznam autorizovaných veřejných klíčů +authorizedRole.roleInfo.isBanned=Zakázán + + +################################################################################ +# Mediator +################################################################################ +authorizedRole.mediator.message.toRequester=Požádali jste o podporu při mediaci. Mediátor Bisq se připojí k chatové konverzaci obchodu, aby vám pomohl. +authorizedRole.mediator.message.toNonRequester=Váš obchodní partner požádal o podporu při mediaci. Mediátor Bisq se připojí k chatové konverzaci obchodu, aby vám pomohl. +authorizedRole.mediator.noOpenCases=Nemáte žádné otevřené případy mediace +authorizedRole.mediator.noClosedCases=Nemáte žádné uzavřené případy mediace +authorizedRole.mediator.table.headline=Případy mediace +authorizedRole.mediator.table.maker=Vytvářející +authorizedRole.mediator.table.taker=Přijímající +authorizedRole.mediator.close=Uzavřít případ +authorizedRole.mediator.reOpen=Znovu otevřít případ +authorizedRole.mediator.leave=Opustit chat +authorizedRole.mediator.showClosedCases=Zobrazit uzavřené případy +authorizedRole.mediator.hasRequested={0}\nPožádal o mediaci: {1} +authorizedRole.mediator.close.warning=Jste si jisti, že chcete uzavřít případ mediace?\n\nUjistěte se, že jste obchodním partnerům sdělili výsledek mediace.\n\nPo uzavření máte přístup k případu mediace, když přepnete tlačítko v pravém horním rohu. Chatový kanál zůstává otevřený. Jakmile případ uzavřete, dostanete možnost opustit kanál. +authorizedRole.mediator.close.tradeLogMessage=Posrednik je zatvorio slučaj +authorizedRole.mediator=Mediátor případ znovu otevřel. +authorizedRole.mediator.leaveChannel.warning=Jste si jisti, že chcete opustit chatový kanál?\n\nJakmile opustíte chatový kanál, všechny zprávy a data kanálu zmizí a již nemůžete komunikovat s obchodníky. + + +################################################################################ +################################################################################ +# Moderator +################################################################################ + +authorizedRole.moderator.reportToModerator.table.headline=Hlášení +authorizedRole.moderator.table.message=Zpráva +authorizedRole.moderator.table.chatChannelDomain=Kanál +authorizedRole.moderator.table.reporter=Hlásící +authorizedRole.moderator.table.accused=Obviněný +authorizedRole.moderator.table.ban=Zakázat +authorizedRole.moderator.table.contact=Kontakt +authorizedRole.moderator.table.delete=Smazat + +authorizedRole.moderator.bannedUserProfile.table.headline=Zakázané uživatelské profily +authorizedRole.moderator.bannedUserProfile.table.userProfile=Uživatelský profil +authorizedRole.moderator.bannedUserProfile.table.contact=Kontakt + +authorizedRole.moderator.table.removeBan=Zrušit zákaz + +authorizedRole.moderator.replyMsg=Jsem moderátor Bisq a rád bych prodiskutoval hlášení, které jste poslali. + + +################################################################################ +# Security manager +################################################################################ +authorizedRole.securityManager.difficultyAdjustment.headline=Úprava obtížnosti PoW +authorizedRole.securityManager.difficultyAdjustment.description=Faktor úpravy obtížnosti +authorizedRole.securityManager.difficultyAdjustment.invalid=Musí být číslo mezi 0 a {0} +authorizedRole.securityManager.difficultyAdjustment.button=Publikovat faktor úpravy obtížnosti +authorizedRole.securityManager.difficultyAdjustment.table.headline=Publikovaná data úpravy obtížnosti +authorizedRole.securityManager.difficultyAdjustment.table.value=Hodnota + +authorizedRole.securityManager.alert.headline=Správa upozornění +authorizedRole.securityManager.selectAlertType=Vyberte typ upozornění +authorizedRole.securityManager.alert.message.headline=Nadpis +authorizedRole.securityManager.alert.message=Zpráva o upozornění (max 1000 znaků) +authorizedRole.securityManager.alert.message.tooLong=Zpráva upozornění je delší než 1000 znaků +authorizedRole.securityManager.emergency.haltTrading=Pozastavit obchodování +authorizedRole.securityManager.emergency.requireVersionForTrading=Požadovat min. verzi pro obchodování +authorizedRole.securityManager.emergency.requireVersionForTrading.version=Verze +authorizedRole.securityManager.emergency.requireVersionForTrading.version.prompt=Zadejte minimální číslo verze (např.: `2.1.2`) +authorizedRole.securityManager.selectBondedRole=Vyberte upsanou roli +authorizedRole.securityManager.selectedBondedRole={0}: Přezdívka: {1}, ID profilu: {2} +authorizedRole.securityManager.selectedBondedNode={0}: Přezdívka: {1}, ID profilu: {2}, Adresa: {3} + +authorizedRole.securityManager.alert.table.headline=Upozornění +authorizedRole.securityManager.alert.table.alertType=Typ +authorizedRole.securityManager.alert.table.message=Zpráva +authorizedRole.securityManager.alert.table.haltTrading=Pozastavit obchodování +authorizedRole.securityManager.alert.table.requireVersionForTrading=Vyžadovat min. verzi +authorizedRole.securityManager.alert.table.minVersion=Min. verze +authorizedRole.securityManager.alert.table.bannedRole=Zakázaná role +authorizedRole.securityManager.alert.table.bannedRole.value={0}: {1} ({2}) +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.actionButton.INFO=Odeslat informační upozornění +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.actionButton.WARN=Odeslat varovný alert +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.actionButton.EMERGENCY=Odeslat nouzové upozornění +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.actionButton.BAN=Zakázat upsanou roli +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.alertType.INFO=Informace +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.alertType.WARN=Upozornění +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.alertType.EMERGENCY=Nouzový +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.alertType.BAN=Zakázat roli + + +################################################################################ +# Release manager +################################################################################ + +authorizedRole.releaseManager.headline=Odeslat oznámení o aktualizaci +authorizedRole.releaseManager.releaseNotes=Poznámky k vydání +authorizedRole.releaseManager.isPreRelease=Je to předběžné vydání +authorizedRole.releaseManager.isLauncherUpdate=Je aktualizace spouštěče +authorizedRole.releaseManager.version=Verze vydání +authorizedRole.releaseManager.send=Publikovat + +authorizedRole.releaseManager.table.headline=Oznámení o aktualizacích +authorizedRole.releaseManager.table.releaseNotes=Poznámky k vydání +authorizedRole.releaseManager.table.version=Verze +authorizedRole.releaseManager.table.isPreRelease=Je předběžné vydání +authorizedRole.releaseManager.table.isLauncherUpdate=Aktualizace spouštěče +authorizedRole.releaseManager.table.profileId=ID profilu vydavatele + + diff --git a/shared/domain/src/commonMain/resources/mobile/authorized_role_de.properties b/shared/domain/src/commonMain/resources/mobile/authorized_role_de.properties new file mode 100644 index 00000000..b157cec8 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/authorized_role_de.properties @@ -0,0 +1,155 @@ +################################################################################ +# +# Authorized Role +# +################################################################################ + +# suppress inspection "UnusedProperty" +authorizedRole.MEDIATOR=Mediator +# suppress inspection "UnusedProperty" +authorizedRole.MODERATOR=Moderator +# suppress inspection "UnusedProperty" +authorizedRole.ARBITRATOR=Schiedsrichter +# suppress inspection "UnusedProperty" +authorizedRole.SECURITY_MANAGER=Sicherheitsmanager +# suppress inspection "UnusedProperty" +authorizedRole.RELEASE_MANAGER=Veröffentlichungsmanager +# suppress inspection "UnusedProperty" +authorizedRole.ORACLE_NODE=Oracle-Knoten +# suppress inspection "UnusedProperty" +authorizedRole.SEED_NODE=Seed-Knoten +# suppress inspection "UnusedProperty" +authorizedRole.EXPLORER_NODE=Explorer-Knoten +# suppress inspection "UnusedProperty" +authorizedRole.MARKET_PRICE_NODE=Marktpreis-Knoten + + +################################################################################ +# Bonded role info +################################################################################ + +authorizedRole.roleInfo.headline=Geprüfte Rollendaten +authorizedRole.roleInfo.profileId=Profil-ID +authorizedRole.roleInfo.authorizedPublicKey=Authorisierte öffentliche Schlüssel +authorizedRole.roleInfo.bondedRoleType=Geprüfter Rollentyp +authorizedRole.roleInfo.bondUserName=Bond-Benutzername +authorizedRole.roleInfo.signature=Unterschrift +authorizedRole.roleInfo.addressByNetworkType=Adresse +authorizedRole.roleInfo.authorizingOracleNodeProfileId=Profil-ID des authorisierenden Oracle-Knotens +authorizedRole.roleInfo.staticPublicKeysProvided=Statisch bereitgestellte öffentliche Schlüssel +authorizedRole.roleInfo.authorizedPublicKeys=Statische Liste der authorisierten öffentlichen Schlüssel +authorizedRole.roleInfo.isBanned=Gesperrt + + +################################################################################ +# Mediator +################################################################################ +authorizedRole.mediator.message.toRequester=Sie haben Unterstützung durch einen Mediator angefordert. Der Bisq-Mediator wird dem Handels-Chat beitreten, um Ihnen zu helfen. +authorizedRole.mediator.message.toNonRequester=Ihr Handelspartner hat Unterstützung durch einen Mediator angefordert. Der Bisq-Mediator wird dem Handels-Chat beitreten, um Ihnen zu helfen. +authorizedRole.mediator.noOpenCases=Sie haben keine offenen Vermittlungsfälle +authorizedRole.mediator.noClosedCases=Sie haben keine geschlossenen Vermittlungsfälle +authorizedRole.mediator.table.headline=Vermittlungsfälle +authorizedRole.mediator.table.maker=Hersteller +authorizedRole.mediator.table.taker=Empfänger +authorizedRole.mediator.close=Fall schließen +authorizedRole.mediator.reOpen=Fall wieder öffnen +authorizedRole.mediator.leave=Chat verlassen +authorizedRole.mediator.showClosedCases=Geschlossene Fälle anzeigen +authorizedRole.mediator.hasRequested={0}\nHat Vermittlung angefordert: {1} +authorizedRole.mediator.close.warning=Sind Sie sicher, dass Sie den Vermittlungsfall schließen möchten?\n\nStellen Sie sicher, dass Sie Ihren Handelspartnern Ihr Vermittlungsergebnis mitgeteilt haben.\n\nSie können auf den Vermittlungsfall zugreifen, nachdem Sie ihn geschlossen haben, wenn Sie den Schalter oben rechts umlegen. Der Chatkanal bleibt weiterhin offen. Sobald Sie den Fall geschlossen haben, erhalten Sie die Option, den Kanal zu verlassen. +authorizedRole.mediator.close.tradeLogMessage=Der Mediator hat den Fall geschlossen +authorizedRole.mediator=Der Mediator hat den Fall wiedereröffnet. +authorizedRole.mediator.leaveChannel.warning=Sind Sie sicher, dass Sie den Chat-Kanal verlassen möchten?\n\nSobald Sie den Chat-Kanal verlassen haben, sind alle Nachrichten und Kanaldaten verschwunden, und Sie können nicht mehr mit den Händlern kommunizieren. + + +################################################################################ +################################################################################ +# Moderator +################################################################################ + +authorizedRole.moderator.reportToModerator.table.headline=Meldungen +authorizedRole.moderator.table.message=Nachricht +authorizedRole.moderator.table.chatChannelDomain=Kanal +authorizedRole.moderator.table.reporter=Reporter +authorizedRole.moderator.table.accused=Beschuldigter +authorizedRole.moderator.table.ban=Sperren +authorizedRole.moderator.table.contact=Kontakt +authorizedRole.moderator.table.delete=Löschen + +authorizedRole.moderator.bannedUserProfile.table.headline=Gesperrte Benutzerprofile +authorizedRole.moderator.bannedUserProfile.table.userProfile=Benutzerprofil +authorizedRole.moderator.bannedUserProfile.table.contact=Kontakt + +authorizedRole.moderator.table.removeBan=Sperre aufheben + +authorizedRole.moderator.replyMsg=Ich bin ein Bisq-Moderator und würde gerne die von Ihnen gesendete Meldung besprechen. + + +################################################################################ +# Security manager +################################################################################ +authorizedRole.securityManager.difficultyAdjustment.headline=Anpassung der PoW-Schwierigkeit +authorizedRole.securityManager.difficultyAdjustment.description=Faktor der Schwierigkeitsanpassung +authorizedRole.securityManager.difficultyAdjustment.invalid=Muss eine Zahl zwischen 0 und {0} sein +authorizedRole.securityManager.difficultyAdjustment.button=Faktor der Schwierigkeitsanpassung veröffentlichen +authorizedRole.securityManager.difficultyAdjustment.table.headline=Veröffentlichte Daten zur Schwierigkeitsanpassung +authorizedRole.securityManager.difficultyAdjustment.table.value=Wert + +authorizedRole.securityManager.alert.headline=Verwaltung von Warnungen +authorizedRole.securityManager.selectAlertType=Wählen Sie den Warnungstyp aus +authorizedRole.securityManager.alert.message.headline=Überschrift +authorizedRole.securityManager.alert.message=Warnungsnachricht (max. 1000 Zeichen) +authorizedRole.securityManager.alert.message.tooLong=Warnungsnachricht ist länger als 1000 Zeichen +authorizedRole.securityManager.emergency.haltTrading=Handel stoppen +authorizedRole.securityManager.emergency.requireVersionForTrading=Mindestversion für den Handel erforderlich +authorizedRole.securityManager.emergency.requireVersionForTrading.version=Version +authorizedRole.securityManager.emergency.requireVersionForTrading.version.prompt=Geben Sie die Mindestversionsnummer ein (z. B.: `2.1.2`) +authorizedRole.securityManager.selectBondedRole=Wählen Sie die geprüfte Rolle aus +authorizedRole.securityManager.selectedBondedRole={0}: Nickname: {1}, Profil-ID: {2} +authorizedRole.securityManager.selectedBondedNode={0}: Nickname: {1}, Profil-ID: {2}, Adresse: {3} + +authorizedRole.securityManager.alert.table.headline=Warnungen +authorizedRole.securityManager.alert.table.alertType=Typ +authorizedRole.securityManager.alert.table.message=Nachricht +authorizedRole.securityManager.alert.table.haltTrading=Handel stoppen +authorizedRole.securityManager.alert.table.requireVersionForTrading=Mindestversion erforderlich +authorizedRole.securityManager.alert.table.minVersion=Mindestversion +authorizedRole.securityManager.alert.table.bannedRole=Gesperrte Rolle +authorizedRole.securityManager.alert.table.bannedRole.value={0}: {1} ({2}) +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.actionButton.INFO=Info-Warnung senden +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.actionButton.WARN=Warnungs-Warnung senden +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.actionButton.EMERGENCY=Notfall-Warnung senden +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.actionButton.BAN=Rollen sperren +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.alertType.INFO=Info +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.alertType.WARN=Warnung +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.alertType.EMERGENCY=Notfall +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.alertType.BAN=Rollen sperren + + +################################################################################ +# Release manager +################################################################################ + +authorizedRole.releaseManager.headline=Update-Benachrichtigung senden +authorizedRole.releaseManager.releaseNotes=Versionshinweise +authorizedRole.releaseManager.isPreRelease=Ist Vorabversion +authorizedRole.releaseManager.isLauncherUpdate=Ist Launcher-Update +authorizedRole.releaseManager.version=Versionsnummer +authorizedRole.releaseManager.send=Veröffentlichen + +authorizedRole.releaseManager.table.headline=Update-Benachrichtigungen +authorizedRole.releaseManager.table.releaseNotes=Versionshinweise +authorizedRole.releaseManager.table.version=Version +authorizedRole.releaseManager.table.isPreRelease=Ist Vorabversion +authorizedRole.releaseManager.table.isLauncherUpdate=Launcher-Update +authorizedRole.releaseManager.table.profileId=Publisher Profil-ID + + diff --git a/shared/domain/src/commonMain/resources/mobile/authorized_role_es.properties b/shared/domain/src/commonMain/resources/mobile/authorized_role_es.properties new file mode 100644 index 00000000..7127e6e8 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/authorized_role_es.properties @@ -0,0 +1,155 @@ +################################################################################ +# +# Authorized Role +# +################################################################################ + +# suppress inspection "UnusedProperty" +authorizedRole.MEDIATOR=Mediador +# suppress inspection "UnusedProperty" +authorizedRole.MODERATOR=Moderador +# suppress inspection "UnusedProperty" +authorizedRole.ARBITRATOR=Árbitro +# suppress inspection "UnusedProperty" +authorizedRole.SECURITY_MANAGER=Gestor de Seguridad +# suppress inspection "UnusedProperty" +authorizedRole.RELEASE_MANAGER=Gestor de versiones +# suppress inspection "UnusedProperty" +authorizedRole.ORACLE_NODE=Nodo Oráculo +# suppress inspection "UnusedProperty" +authorizedRole.SEED_NODE=Nodo Semilla +# suppress inspection "UnusedProperty" +authorizedRole.EXPLORER_NODE=Nodo Explorador +# suppress inspection "UnusedProperty" +authorizedRole.MARKET_PRICE_NODE=Nodo de Precio de Mercado + + +################################################################################ +# Bonded role info +################################################################################ + +authorizedRole.roleInfo.headline=Datos de rol bajo fianza +authorizedRole.roleInfo.profileId=ID de Perfil +authorizedRole.roleInfo.authorizedPublicKey=Clave Pública Autorizada +authorizedRole.roleInfo.bondedRoleType=Tipo de rol bajo fianza +authorizedRole.roleInfo.bondUserName=Nombre de Usuario de la fianza +authorizedRole.roleInfo.signature=Firma +authorizedRole.roleInfo.addressByNetworkType=Dirección +authorizedRole.roleInfo.authorizingOracleNodeProfileId=ID de Perfil de Nodo Oráculo +authorizedRole.roleInfo.staticPublicKeysProvided=Claves Pública Proporcionada Estáticamente +authorizedRole.roleInfo.authorizedPublicKeys=Lista Estática de Claves Públicas Autorizadas +authorizedRole.roleInfo.isBanned=Baneado + + +################################################################################ +# Mediator +################################################################################ +authorizedRole.mediator.message.toRequester=Has solicitado soporte de mediación. El mediador de Bisq se unirá al chat de la compra-venta para ayudarte. +authorizedRole.mediator.message.toNonRequester=Tu contraparte de la compra-venta solicitó soporte de mediación. El mediador de Bisq se unirá al chat de la operación para ayudarte. +authorizedRole.mediator.noOpenCases=No tienes ningún caso de mediación abierto +authorizedRole.mediator.noClosedCases=No tienes ningún caso de mediación cerrado +authorizedRole.mediator.table.headline=Casos de Mediación +authorizedRole.mediator.table.maker=Ofertante +authorizedRole.mediator.table.taker=Tomador +authorizedRole.mediator.close=Cerrar caso +authorizedRole.mediator.reOpen=Reabrir caso +authorizedRole.mediator.leave=Salir del chat +authorizedRole.mediator.showClosedCases=Mostrar casos cerrados +authorizedRole.mediator.hasRequested={0}\nHa solicitado mediación: {1} +authorizedRole.mediator.close.warning=¿Estás seguro de que deseas cerrar el caso de mediación?\n\nAsegúrate de haber comunicado a los partícipes de la compra-venta el resultado de la mediación.\n\nPuedes acceder al caso de mediación después de cerrarlo cuando actives el interruptor en la esquina superior derecha. El canal de chat todavía permanecerá abierto. Una vez que hayas cerrado el caso, obtendrás la opción de salir del canal. +authorizedRole.mediator.close.tradeLogMessage=El mediador ha cerrado el caso +authorizedRole.mediator=El mediador ha vuelto a abrir el caso. +authorizedRole.mediator.leaveChannel.warning=¿Estás seguro de que deseas salir del canal de chat?\n\nUna vez que salga sdel canal de chat, todos los mensajes y datos del canal se eliminarán y no podrás comunicarte más con los partícipes de la compra-venta. + + +################################################################################ +################################################################################ +# Moderator +################################################################################ + +authorizedRole.moderator.reportToModerator.table.headline=Informes +authorizedRole.moderator.table.message=Mensaje +authorizedRole.moderator.table.chatChannelDomain=Canal +authorizedRole.moderator.table.reporter=Reportador +authorizedRole.moderator.table.accused=Acusado +authorizedRole.moderator.table.ban=Banear +authorizedRole.moderator.table.contact=Contactar +authorizedRole.moderator.table.delete=Borrar + +authorizedRole.moderator.bannedUserProfile.table.headline=Perfiles de usuario baneados +authorizedRole.moderator.bannedUserProfile.table.userProfile=Perfil de usuario +authorizedRole.moderator.bannedUserProfile.table.contact=Contactar + +authorizedRole.moderator.table.removeBan=Desbanear + +authorizedRole.moderator.replyMsg=Soy un moderador de Bisq y me gustaría hablar contigo del informe que enviaste. + + +################################################################################ +# Security manager +################################################################################ +authorizedRole.securityManager.difficultyAdjustment.headline=Ajuste de dificultad de prueba de trabajo +authorizedRole.securityManager.difficultyAdjustment.description=factor de ajuste de dificultad +authorizedRole.securityManager.difficultyAdjustment.invalid=Debe ser un número entre 0 y {0} +authorizedRole.securityManager.difficultyAdjustment.button=Publicar factor de ajuste de dificultad +authorizedRole.securityManager.difficultyAdjustment.table.headline=Datos de ajuste de dificultad publicados +authorizedRole.securityManager.difficultyAdjustment.table.value=Valor + +authorizedRole.securityManager.alert.headline=Administración de alertas +authorizedRole.securityManager.selectAlertType=Seleccionar tipo de alerta +authorizedRole.securityManager.alert.message.headline=Cabecera +authorizedRole.securityManager.alert.message=Mensaje de alerta (máx. 1000 caracteres) +authorizedRole.securityManager.alert.message.tooLong=El mensaje de alerta supera los 1000 caracteres +authorizedRole.securityManager.emergency.haltTrading=Parar el mercado +authorizedRole.securityManager.emergency.requireVersionForTrading=Requerir versión mínima para la compra-venta +authorizedRole.securityManager.emergency.requireVersionForTrading.version=Versión +authorizedRole.securityManager.emergency.requireVersionForTrading.version.prompt=Introduce el número de versión mínima (por ejemplo, `2.1.2`) +authorizedRole.securityManager.selectBondedRole=Seleccionar rol bajo fianza +authorizedRole.securityManager.selectedBondedRole={0}: Apodo: {1}, ID de Perfil: {2} +authorizedRole.securityManager.selectedBondedNode={0}: Apodo: {1}, ID de Perfil: {2}, Dirección: {3} + +authorizedRole.securityManager.alert.table.headline=Alertas +authorizedRole.securityManager.alert.table.alertType=Tipo +authorizedRole.securityManager.alert.table.message=Mensaje +authorizedRole.securityManager.alert.table.haltTrading=Parar el mercado +authorizedRole.securityManager.alert.table.requireVersionForTrading=Requerir versión mínima +authorizedRole.securityManager.alert.table.minVersion=Versión mínima +authorizedRole.securityManager.alert.table.bannedRole=Rol baneado +authorizedRole.securityManager.alert.table.bannedRole.value={0}: {1} ({2}) +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.actionButton.INFO=Enviar alerta de información +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.actionButton.WARN=Enviar alerta de advertencia +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.actionButton.EMERGENCY=Enviar alerta de emergencia +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.actionButton.BAN=Prohibir rol bajo fianza +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.alertType.INFO=Información +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.alertType.WARN=Advertencia +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.alertType.EMERGENCY=Emergencia +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.alertType.BAN=Banear rol + + +################################################################################ +# Release manager +################################################################################ + +authorizedRole.releaseManager.headline=Enviar notificación de actualización +authorizedRole.releaseManager.releaseNotes=Notas de la versión +authorizedRole.releaseManager.isPreRelease=Es versión preliminar +authorizedRole.releaseManager.isLauncherUpdate=Es actualización del lanzador +authorizedRole.releaseManager.version=Versión +authorizedRole.releaseManager.send=Publicar + +authorizedRole.releaseManager.table.headline=Notificaciones de actualización +authorizedRole.releaseManager.table.releaseNotes=Notas de la versión +authorizedRole.releaseManager.table.version=Versión +authorizedRole.releaseManager.table.isPreRelease=Versión preliminar +authorizedRole.releaseManager.table.isLauncherUpdate=Actualización del lanzador +authorizedRole.releaseManager.table.profileId=ID de perfil del publicador + + diff --git a/shared/domain/src/commonMain/resources/mobile/authorized_role_it.properties b/shared/domain/src/commonMain/resources/mobile/authorized_role_it.properties new file mode 100644 index 00000000..a60293e0 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/authorized_role_it.properties @@ -0,0 +1,155 @@ +################################################################################ +# +# Authorized Role +# +################################################################################ + +# suppress inspection "UnusedProperty" +authorizedRole.MEDIATOR=Mediatore +# suppress inspection "UnusedProperty" +authorizedRole.MODERATOR=Moderatore +# suppress inspection "UnusedProperty" +authorizedRole.ARBITRATOR=Arbitro +# suppress inspection "UnusedProperty" +authorizedRole.SECURITY_MANAGER=Responsabile della sicurezza +# suppress inspection "UnusedProperty" +authorizedRole.RELEASE_MANAGER=Responsabile delle versioni +# suppress inspection "UnusedProperty" +authorizedRole.ORACLE_NODE=Nodo oracolo +# suppress inspection "UnusedProperty" +authorizedRole.SEED_NODE=Nodo seed +# suppress inspection "UnusedProperty" +authorizedRole.EXPLORER_NODE=Nodo esploratore +# suppress inspection "UnusedProperty" +authorizedRole.MARKET_PRICE_NODE=Nodo del prezzo di mercato + + +################################################################################ +# Bonded role info +################################################################################ + +authorizedRole.roleInfo.headline=Dati del ruolo vincolato +authorizedRole.roleInfo.profileId=ID Profilo +authorizedRole.roleInfo.authorizedPublicKey=Chiave pubblica autorizzata +authorizedRole.roleInfo.bondedRoleType=Tipo di ruolo vincolato +authorizedRole.roleInfo.bondUserName=Nome utente vincolato +authorizedRole.roleInfo.signature=Firma +authorizedRole.roleInfo.addressByNetworkType=Indirizzo per tipo di rete +authorizedRole.roleInfo.authorizingOracleNodeProfileId=ID Profilo Nodo Oracolo Autorizzante +authorizedRole.roleInfo.staticPublicKeysProvided=Chiavi pubbliche fornite staticamente +authorizedRole.roleInfo.authorizedPublicKeys=Elenco statico di chiavi pubbliche autorizzate +authorizedRole.roleInfo.isBanned=Bannato + + +################################################################################ +# Mediator +################################################################################ +authorizedRole.mediator.message.toRequester=Hai richiesto assistenza per la mediazione. Il mediatore di Bisq si unirà alla chat della transazione per assisterti. +authorizedRole.mediator.message.toNonRequester=Il tuo partner di trading ha richiesto assistenza per la mediazione. Il mediatore di Bisq si unirà alla chat della transazione per assisterti. +authorizedRole.mediator.noOpenCases=Non hai casi di mediazione aperti +authorizedRole.mediator.noClosedCases=Non hai casi di mediazione chiusi +authorizedRole.mediator.table.headline=Casi di mediazione +authorizedRole.mediator.table.maker=Produttore +authorizedRole.mediator.table.taker=Ricevitore +authorizedRole.mediator.close=Chiudi caso +authorizedRole.mediator.reOpen=Riapri caso +authorizedRole.mediator.leave=Lascia chat +authorizedRole.mediator.showClosedCases=Mostra casi chiusi +authorizedRole.mediator.hasRequested={0}\nHa richiesto mediazione: {1} +authorizedRole.mediator.close.warning=Sei sicuro di voler chiudere il caso di mediazione?\n\nAssicurati di aver comunicato ai partner commerciali il risultato della mediazione.\n\nPuoi accedere al caso di mediazione dopo la chiusura quando attivi il pulsante a levetta nell'angolo in alto a destra. Il canale di chat rimane comunque aperto. Una volta chiuso il caso, avrai l'opzione di lasciare il canale. +authorizedRole.mediator.close.tradeLogMessage=Il mediatore ha chiuso il caso +authorizedRole.mediator=Il mediatore ha riaperto il caso. +authorizedRole.mediator.leaveChannel.warning=Sei sicuro di voler lasciare il canale di chat?\n\nUna volta uscito dal canale di chat, tutti i messaggi e i dati del canale saranno persi e non potrai più comunicare con i trader. + + +################################################################################ +################################################################################ +# Moderator +################################################################################ + +authorizedRole.moderator.reportToModerator.table.headline=Segnalazioni +authorizedRole.moderator.table.message=Messaggio +authorizedRole.moderator.table.chatChannelDomain=Canale +authorizedRole.moderator.table.reporter=Segnalatore +authorizedRole.moderator.table.accused=Imputato +authorizedRole.moderator.table.ban=Ban +authorizedRole.moderator.table.contact=Contatto +authorizedRole.moderator.table.delete=Elimina + +authorizedRole.moderator.bannedUserProfile.table.headline=Profili utente bannati +authorizedRole.moderator.bannedUserProfile.table.userProfile=Profilo utente +authorizedRole.moderator.bannedUserProfile.table.contact=Contatto + +authorizedRole.moderator.table.removeBan=Rimuovi ban + +authorizedRole.moderator.replyMsg=Sono un moderatore di Bisq e vorrei discutere della segnalazione che hai inviato. + + +################################################################################ +# Security manager +################################################################################ +authorizedRole.securityManager.difficultyAdjustment.headline=Regolazione della difficoltà Pow +authorizedRole.securityManager.difficultyAdjustment.description=Fattore di regolazione della difficoltà +authorizedRole.securityManager.difficultyAdjustment.invalid=Deve essere un numero tra 0 e {0} +authorizedRole.securityManager.difficultyAdjustment.button=Pubblica il fattore di regolazione della difficoltà +authorizedRole.securityManager.difficultyAdjustment.table.headline=Dati sulla regolazione della difficoltà pubblicati +authorizedRole.securityManager.difficultyAdjustment.table.value=Valore + +authorizedRole.securityManager.alert.headline=Gestione degli avvisi +authorizedRole.securityManager.selectAlertType=Seleziona tipo di avviso +authorizedRole.securityManager.alert.message.headline=Titolo +authorizedRole.securityManager.alert.message=Messaggio di avviso (max 1000 caratteri) +authorizedRole.securityManager.alert.message.tooLong=Il messaggio di avviso è più lungo di 1000 caratteri +authorizedRole.securityManager.emergency.haltTrading=Sospensione trading +authorizedRole.securityManager.emergency.requireVersionForTrading=Richiedi versione minima per il trading +authorizedRole.securityManager.emergency.requireVersionForTrading.version=Versione +authorizedRole.securityManager.emergency.requireVersionForTrading.version.prompt=Inserisci il numero di versione minima (es. '2.1.2') +authorizedRole.securityManager.selectBondedRole=Seleziona ruolo collegato +authorizedRole.securityManager.selectedBondedRole={0}: Nickname: {1}, ID Profilo: {2} +authorizedRole.securityManager.selectedBondedNode={0}: Nickname: {1}, ID Profilo: {2}, Indirizzo: {3} + +authorizedRole.securityManager.alert.table.headline=Avvisi +authorizedRole.securityManager.alert.table.alertType=Tipo +authorizedRole.securityManager.alert.table.message=Messaggio +authorizedRole.securityManager.alert.table.haltTrading=Sospensione trading +authorizedRole.securityManager.alert.table.requireVersionForTrading=Richiedi versione minima +authorizedRole.securityManager.alert.table.minVersion=Versione minima +authorizedRole.securityManager.alert.table.bannedRole=Ruolo vietato +authorizedRole.securityManager.alert.table.bannedRole.value={0}: {1} ({2}) +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.actionButton.INFO=Invia avviso informativo +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.actionButton.WARN=Invia avviso di avvertimento +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.actionButton.EMERGENCY=Invia avviso di emergenza +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.actionButton.BAN=Vietare ruolo collegato +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.alertType.INFO=Informazione +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.alertType.WARN=Avvertimento +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.alertType.EMERGENCY=Emergenza +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.alertType.BAN=Vietare ruolo + + +################################################################################ +# Release manager +################################################################################ + +authorizedRole.releaseManager.headline=Invia notifica di aggiornamento +authorizedRole.releaseManager.releaseNotes=Note sulla versione +authorizedRole.releaseManager.isPreRelease=È una pre-release +authorizedRole.releaseManager.isLauncherUpdate=È un aggiornamento del launcher +authorizedRole.releaseManager.version=Versione di rilascio +authorizedRole.releaseManager.send=Pubblica + +authorizedRole.releaseManager.table.headline=Notifiche di aggiornamento +authorizedRole.releaseManager.table.releaseNotes=Note sulla versione +authorizedRole.releaseManager.table.version=Versione +authorizedRole.releaseManager.table.isPreRelease=È una pre-release +authorizedRole.releaseManager.table.isLauncherUpdate=Aggiornamento del launcher +authorizedRole.releaseManager.table.profileId=ID Profilo del pubblicatore + + diff --git a/shared/domain/src/commonMain/resources/mobile/authorized_role_pcm.properties b/shared/domain/src/commonMain/resources/mobile/authorized_role_pcm.properties new file mode 100644 index 00000000..ab3aff7f --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/authorized_role_pcm.properties @@ -0,0 +1,155 @@ +################################################################################ +# +# Authorized Role +# +################################################################################ + +# suppress inspection "UnusedProperty" +authorizedRole.MEDIATOR=Mediator +# suppress inspection "UnusedProperty" +authorizedRole.MODERATOR=Moderator +# suppress inspection "UnusedProperty" +authorizedRole.ARBITRATOR=Arbitrator +# suppress inspection "UnusedProperty" +authorizedRole.SECURITY_MANAGER=Security manager +# suppress inspection "UnusedProperty" +authorizedRole.RELEASE_MANAGER=Release manager +# suppress inspection "UnusedProperty" +authorizedRole.ORACLE_NODE=Oracle node +# suppress inspection "UnusedProperty" +authorizedRole.SEED_NODE=Seed node +# suppress inspection "UnusedProperty" +authorizedRole.EXPLORER_NODE=Explorer node +# suppress inspection "UnusedProperty" +authorizedRole.MARKET_PRICE_NODE=Markit chanel + + +################################################################################ +# Bonded role info +################################################################################ + +authorizedRole.roleInfo.headline=Bonded role data +authorizedRole.roleInfo.profileId=Profile ID +authorizedRole.roleInfo.authorizedPublicKey=Authorized public key +authorizedRole.roleInfo.bondedRoleType=Bonded role type +authorizedRole.roleInfo.bondUserName=Bond username +authorizedRole.roleInfo.signature=Signature +authorizedRole.roleInfo.addressByNetworkType=Address +authorizedRole.roleInfo.authorizingOracleNodeProfileId=Oracle Profile ID +authorizedRole.roleInfo.staticPublicKeysProvided=Public key wey dem provide statically +authorizedRole.roleInfo.authorizedPublicKeys=Static list of authorized public keys +authorizedRole.roleInfo.isBanned=Banned + + +################################################################################ +# Mediator +################################################################################ +authorizedRole.mediator.message.toRequester=You request mediation support. Di Bisq mediator go join di trade chat to assist you. +authorizedRole.mediator.message.toNonRequester=Your trade peer don request mediation support. Di Bisq mediator go join di trade chat to assist you. +authorizedRole.mediator.noOpenCases=You no get any open mediation cases +authorizedRole.mediator.noClosedCases=You no get any closed mediation cases +authorizedRole.mediator.table.headline=Mediashon cases +authorizedRole.mediator.table.maker=Maker +authorizedRole.mediator.table.taker=Taker +authorizedRole.mediator.close=Close case +authorizedRole.mediator.reOpen=Re-open case +authorizedRole.mediator.leave=Don waka comot for chat +authorizedRole.mediator.showClosedCases=Show closed cases +authorizedRole.mediator.hasRequested={0}\nDon request mediation: {1} +authorizedRole.mediator.close.warning=You sure say you wan close the mediation case?\n\nMake sure say you don communicate to the trade partners your mediation result.\n\nYou fit access the mediation case after closing when you toggle the switch-button for the top-right corner. The chat channel go still remain open. Once you don close the case you go get option to leave the channel. +authorizedRole.mediator.close.tradeLogMessage=Di Mediator don close di case +authorizedRole.mediator=The mediator don re-open the case. +authorizedRole.mediator.leaveChannel.warning=You sure say you wan leave the chat channel?\n\nOnce you don leave the chat channel all messages and channel data go disappear, and you no fit communicate with the traders again. + + +################################################################################ +################################################################################ +# Moderator +################################################################################ + +authorizedRole.moderator.reportToModerator.table.headline=Reports +authorizedRole.moderator.table.message=Mesaj +authorizedRole.moderator.table.chatChannelDomain=Chanel +authorizedRole.moderator.table.reporter=Reporter +authorizedRole.moderator.table.accused=Accused +authorizedRole.moderator.table.ban=Ban +authorizedRole.moderator.table.contact=Kontak +authorizedRole.moderator.table.delete=Delete + +authorizedRole.moderator.bannedUserProfile.table.headline=Banned user profiles +authorizedRole.moderator.bannedUserProfile.table.userProfile=User Profile +authorizedRole.moderator.bannedUserProfile.table.contact=Kontak + +authorizedRole.moderator.table.removeBan=Remove ban + +authorizedRole.moderator.replyMsg=I be Bisq moderator and I wan discuss the report wey you send. + + +################################################################################ +# Security manager +################################################################################ +authorizedRole.securityManager.difficultyAdjustment.headline=Pow diffikulti ajastment +authorizedRole.securityManager.difficultyAdjustment.description=Faktọ for adjustin difficulty +authorizedRole.securityManager.difficultyAdjustment.invalid=Mus be number wey dey between 0 and {0} +authorizedRole.securityManager.difficultyAdjustment.button=Publish fi adjust difficulty +authorizedRole.securityManager.difficultyAdjustment.table.headline=Published pow difficulty adjustment data +authorizedRole.securityManager.difficultyAdjustment.table.value=Valu + +authorizedRole.securityManager.alert.headline=Manijment of alerts +authorizedRole.securityManager.selectAlertType=Select alert type +authorizedRole.securityManager.alert.message.headline=Headline +authorizedRole.securityManager.alert.message=Alert mesaj (max 1000 characters) +authorizedRole.securityManager.alert.message.tooLong=Alert message don pass 1000 characters +authorizedRole.securityManager.emergency.haltTrading=Halt trady +authorizedRole.securityManager.emergency.requireVersionForTrading=Require min. versi for trading +authorizedRole.securityManager.emergency.requireVersionForTrading.version=Versi +authorizedRole.securityManager.emergency.requireVersionForTrading.version.prompt=Enter min. versi number (e.g.: `2.1.2`) +authorizedRole.securityManager.selectBondedRole=Select bonded role +authorizedRole.securityManager.selectedBondedRole={0}: Nickname: {1}, Profile ID: {2} +authorizedRole.securityManager.selectedBondedNode={0}: Nickname: {1}, Profile ID: {2}, Address: {3} + +authorizedRole.securityManager.alert.table.headline=Alerts +authorizedRole.securityManager.alert.table.alertType=Type +authorizedRole.securityManager.alert.table.message=Mesaj +authorizedRole.securityManager.alert.table.haltTrading=Halt trady +authorizedRole.securityManager.alert.table.requireVersionForTrading=Require min. versi +authorizedRole.securityManager.alert.table.minVersion=Min. versi +authorizedRole.securityManager.alert.table.bannedRole=Banned role +authorizedRole.securityManager.alert.table.bannedRole.value={0}: {1} ({2}) +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.actionButton.INFO=Send info alert +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.actionButton.WARN=Send warning alert +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.actionButton.EMERGENCY=Send emergency alert +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.actionButton.BAN=Ban bonded role +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.alertType.INFO=Info +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.alertType.WARN=Warning +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.alertType.EMERGENCY=Emergency +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.alertType.BAN=Ban role + + +################################################################################ +# Release manager +################################################################################ + +authorizedRole.releaseManager.headline=Send update notificashon +authorizedRole.releaseManager.releaseNotes=Notifikashon for update +authorizedRole.releaseManager.isPreRelease=Na pre-release +authorizedRole.releaseManager.isLauncherUpdate=Na launcher update +authorizedRole.releaseManager.version=Release versi +authorizedRole.releaseManager.send=Publish + +authorizedRole.releaseManager.table.headline=Notifikashon for update +authorizedRole.releaseManager.table.releaseNotes=Notifikashon for update +authorizedRole.releaseManager.table.version=Versi +authorizedRole.releaseManager.table.isPreRelease=Na pre-release +authorizedRole.releaseManager.table.isLauncherUpdate=Launcher update +authorizedRole.releaseManager.table.profileId=Publisher Profile ID + + diff --git a/shared/domain/src/commonMain/resources/mobile/authorized_role_pt_BR.properties b/shared/domain/src/commonMain/resources/mobile/authorized_role_pt_BR.properties new file mode 100644 index 00000000..4db45729 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/authorized_role_pt_BR.properties @@ -0,0 +1,155 @@ +################################################################################ +# +# Authorized Role +# +################################################################################ + +# suppress inspection "UnusedProperty" +authorizedRole.MEDIATOR=Mediador +# suppress inspection "UnusedProperty" +authorizedRole.MODERATOR=Moderador +# suppress inspection "UnusedProperty" +authorizedRole.ARBITRATOR=Árbitro +# suppress inspection "UnusedProperty" +authorizedRole.SECURITY_MANAGER=Gestor de Segurança +# suppress inspection "UnusedProperty" +authorizedRole.RELEASE_MANAGER=Gestor de Lançamento +# suppress inspection "UnusedProperty" +authorizedRole.ORACLE_NODE=Nó Oráculo +# suppress inspection "UnusedProperty" +authorizedRole.SEED_NODE=Nó Semente +# suppress inspection "UnusedProperty" +authorizedRole.EXPLORER_NODE=Nó Explorador +# suppress inspection "UnusedProperty" +authorizedRole.MARKET_PRICE_NODE=Nó de Preço de Mercado + + +################################################################################ +# Bonded role info +################################################################################ + +authorizedRole.roleInfo.headline=Dados de função vinculada +authorizedRole.roleInfo.profileId=ID do Perfil +authorizedRole.roleInfo.authorizedPublicKey=Chave pública autorizada +authorizedRole.roleInfo.bondedRoleType=Tipo de função vinculada +authorizedRole.roleInfo.bondUserName=Nome de usuário da fiança +authorizedRole.roleInfo.signature=Assinatura +authorizedRole.roleInfo.addressByNetworkType=Endereço +authorizedRole.roleInfo.authorizingOracleNodeProfileId=ID do perfil do Oráculo +authorizedRole.roleInfo.staticPublicKeysProvided=Chave pública fornecida estaticamente +authorizedRole.roleInfo.authorizedPublicKeys=Lista estática de chaves públicas autorizadas +authorizedRole.roleInfo.isBanned=Banido + + +################################################################################ +# Mediator +################################################################################ +authorizedRole.mediator.message.toRequester=Você solicitou suporte de mediação. O mediador do Bisq se juntará ao chat da negociação para ajudá-lo. +authorizedRole.mediator.message.toNonRequester=Seu parceiro de negociação solicitou suporte de mediação. O mediador do Bisq se juntará ao chat da negociação para ajudá-lo. +authorizedRole.mediator.noOpenCases=Você não tem casos de mediação abertos +authorizedRole.mediator.noClosedCases=Você não tem casos de mediação fechados +authorizedRole.mediator.table.headline=Casos de mediação +authorizedRole.mediator.table.maker=Criador +authorizedRole.mediator.table.taker=Tomador +authorizedRole.mediator.close=Fechar caso +authorizedRole.mediator.reOpen=Reabrir caso +authorizedRole.mediator.leave=Sair do chat +authorizedRole.mediator.showClosedCases=Mostrar casos fechados +authorizedRole.mediator.hasRequested={0}\nSolicitou mediação: {1} +authorizedRole.mediator.close.warning=Tem certeza de que deseja fechar o caso de mediação?\n\nCertifique-se de ter comunicado aos pares de negociação o resultado da sua mediação.\n\nVocê pode acessar o caso de mediação após fechá-lo quando ativar o botão de alternância no canto superior direito. O canal de chat ainda permanece aberto. Uma vez que você tenha fechado o caso, você terá a opção de deixar o canal. +authorizedRole.mediator.close.tradeLogMessage=O mediador encerrou o caso. +authorizedRole.mediator=O mediador reabriu o caso. +authorizedRole.mediator.leaveChannel.warning=Tem certeza de que deseja sair do canal de chat?\n\nUma vez que você deixe o canal de chat, todas as mensagens e dados do canal serão perdidos, e você não poderá mais se comunicar com os negociadores. + + +################################################################################ +################################################################################ +# Moderator +################################################################################ + +authorizedRole.moderator.reportToModerator.table.headline=Relatórios +authorizedRole.moderator.table.message=Mensagem +authorizedRole.moderator.table.chatChannelDomain=Canal +authorizedRole.moderator.table.reporter=Relator +authorizedRole.moderator.table.accused=Acusado +authorizedRole.moderator.table.ban=Banir +authorizedRole.moderator.table.contact=Contato +authorizedRole.moderator.table.delete=Excluir + +authorizedRole.moderator.bannedUserProfile.table.headline=Perfis de usuário banidos +authorizedRole.moderator.bannedUserProfile.table.userProfile=Perfil do usuário +authorizedRole.moderator.bannedUserProfile.table.contact=Contato + +authorizedRole.moderator.table.removeBan=Remover banimento + +authorizedRole.moderator.replyMsg=Sou um moderador do Bisq e gostaria de discutir o relatório que você enviou. + + +################################################################################ +# Security manager +################################################################################ +authorizedRole.securityManager.difficultyAdjustment.headline=Ajuste de dificuldade PoW +authorizedRole.securityManager.difficultyAdjustment.description=Fator de ajuste de dificuldade +authorizedRole.securityManager.difficultyAdjustment.invalid=Deve ser um número entre 0 e {0} +authorizedRole.securityManager.difficultyAdjustment.button=Publicar fator de ajuste de dificuldade +authorizedRole.securityManager.difficultyAdjustment.table.headline=Dados de ajuste de dificuldade publicados +authorizedRole.securityManager.difficultyAdjustment.table.value=Valor + +authorizedRole.securityManager.alert.headline=Gestão de alertas +authorizedRole.securityManager.selectAlertType=Selecionar tipo de alerta +authorizedRole.securityManager.alert.message.headline=Manchete +authorizedRole.securityManager.alert.message=Mensagem de alerta (máx. 1000 caracteres) +authorizedRole.securityManager.alert.message.tooLong=Mensagem de alerta é maior do que 1000 caracteres +authorizedRole.securityManager.emergency.haltTrading=Interromper negociações +authorizedRole.securityManager.emergency.requireVersionForTrading=Exigir versão mínima para negociação +authorizedRole.securityManager.emergency.requireVersionForTrading.version=Versão +authorizedRole.securityManager.emergency.requireVersionForTrading.version.prompt=Insira o número da versão mínima (ex.: `2.1.2`) +authorizedRole.securityManager.selectBondedRole=Selecionar função vinculada +authorizedRole.securityManager.selectedBondedRole={0}: Apelido: {1}, ID do Perfil: {2} +authorizedRole.securityManager.selectedBondedNode={0}: Apelido: {1}, ID do Perfil: {2}, Endereço: {3} + +authorizedRole.securityManager.alert.table.headline=Alertas +authorizedRole.securityManager.alert.table.alertType=Tipo +authorizedRole.securityManager.alert.table.message=Mensagem +authorizedRole.securityManager.alert.table.haltTrading=Interromper negociações +authorizedRole.securityManager.alert.table.requireVersionForTrading=Exigir versão mínima +authorizedRole.securityManager.alert.table.minVersion=Versão mínima +authorizedRole.securityManager.alert.table.bannedRole=Função banida +authorizedRole.securityManager.alert.table.bannedRole.value={0}: {1} ({2}) +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.actionButton.INFO=Enviar alerta informativo +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.actionButton.WARN=Enviar alerta de aviso +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.actionButton.EMERGENCY=Enviar alerta de emergência +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.actionButton.BAN=Banir função vinculada +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.alertType.INFO=Informação +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.alertType.WARN=Aviso +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.alertType.EMERGENCY=Emergência +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.alertType.BAN=Banir função + + +################################################################################ +# Release manager +################################################################################ + +authorizedRole.releaseManager.headline=Enviar notificação de atualização +authorizedRole.releaseManager.releaseNotes=Notas de lançamento +authorizedRole.releaseManager.isPreRelease=É pré-lançamento +authorizedRole.releaseManager.isLauncherUpdate=É atualização do instalador +authorizedRole.releaseManager.version=Versão do lançamento +authorizedRole.releaseManager.send=Publicar + +authorizedRole.releaseManager.table.headline=Notificações de atualização +authorizedRole.releaseManager.table.releaseNotes=Notas de lançamento +authorizedRole.releaseManager.table.version=Versão +authorizedRole.releaseManager.table.isPreRelease=É pré-lançamento +authorizedRole.releaseManager.table.isLauncherUpdate=Atualização do instalador +authorizedRole.releaseManager.table.profileId=ID do perfil do publicador + + diff --git a/shared/domain/src/commonMain/resources/mobile/authorized_role_ru.properties b/shared/domain/src/commonMain/resources/mobile/authorized_role_ru.properties new file mode 100644 index 00000000..8f6af7c3 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/authorized_role_ru.properties @@ -0,0 +1,155 @@ +################################################################################ +# +# Authorized Role +# +################################################################################ + +# suppress inspection "UnusedProperty" +authorizedRole.MEDIATOR=Медиатор +# suppress inspection "UnusedProperty" +authorizedRole.MODERATOR=Модератор +# suppress inspection "UnusedProperty" +authorizedRole.ARBITRATOR=Арбитр +# suppress inspection "UnusedProperty" +authorizedRole.SECURITY_MANAGER=Менеджер по безопасности +# suppress inspection "UnusedProperty" +authorizedRole.RELEASE_MANAGER=Менеджер по выпуску +# suppress inspection "UnusedProperty" +authorizedRole.ORACLE_NODE=Узел Oracle +# suppress inspection "UnusedProperty" +authorizedRole.SEED_NODE=Посевной узел +# suppress inspection "UnusedProperty" +authorizedRole.EXPLORER_NODE=Узел проводника +# suppress inspection "UnusedProperty" +authorizedRole.MARKET_PRICE_NODE=Узел рыночных цен + + +################################################################################ +# Bonded role info +################################################################################ + +authorizedRole.roleInfo.headline=Данные о связанной роли +authorizedRole.roleInfo.profileId=Идентификатор профиля +authorizedRole.roleInfo.authorizedPublicKey=Авторизованный открытый ключ +authorizedRole.roleInfo.bondedRoleType=Тип связанной роли +authorizedRole.roleInfo.bondUserName=Имя пользователя Bond +authorizedRole.roleInfo.signature=Подпись +authorizedRole.roleInfo.addressByNetworkType=Адрес +authorizedRole.roleInfo.authorizingOracleNodeProfileId=Идентификатор профиля Oracle +authorizedRole.roleInfo.staticPublicKeysProvided=Открытый ключ предоставляется статически +authorizedRole.roleInfo.authorizedPublicKeys=Статический список авторизованных открытых ключей +authorizedRole.roleInfo.isBanned=Запрещено + + +################################################################################ +# Mediator +################################################################################ +authorizedRole.mediator.message.toRequester=Вы запросили поддержку посредничества. Посредник Bisq присоединится к торговому чату, чтобы помочь вам. +authorizedRole.mediator.message.toNonRequester=Ваш торговый коллега запросил посредническую поддержку. Посредник Bisq присоединится к торговому чату, чтобы помочь вам. +authorizedRole.mediator.noOpenCases=У вас нет открытых дел о посредничестве +authorizedRole.mediator.noClosedCases=У вас нет закрытых дел о посредничестве +authorizedRole.mediator.table.headline=Дела о посредничестве +authorizedRole.mediator.table.maker=Производитель +authorizedRole.mediator.table.taker=Взявший +authorizedRole.mediator.close=Закрыть дело +authorizedRole.mediator.reOpen=Открыть дело заново +authorizedRole.mediator.leave=Покинуть чат +authorizedRole.mediator.showClosedCases=Показать закрытые дела +authorizedRole.mediator.hasRequested={0}\nОбратился с просьбой о посредничестве: {1} +authorizedRole.mediator.close.warning=Вы уверены, что хотите закрыть дело о посредничестве?\n\nУбедитесь, что вы сообщили торговым коллегам о результатах медиации.\n\nВы можете получить доступ к делу о посредничестве после закрытия, если переключите кнопку в правом верхнем углу. Канал чата при этом остается открытым. Когда вы закроете дело, у вас появится возможность покинуть канал. +authorizedRole.mediator.close.tradeLogMessage=Посредник закрыл дело +authorizedRole.mediator=Посредник возобновил рассмотрение дела. +authorizedRole.mediator.leaveChannel.warning=Вы уверены, что хотите покинуть чат-канал?\n\nЕсли вы покинули чат-канал, все сообщения и данные канала исчезнут, и вы больше не сможете общаться с трейдерами. + + +################################################################################ +################################################################################ +# Moderator +################################################################################ + +authorizedRole.moderator.reportToModerator.table.headline=Отчеты +authorizedRole.moderator.table.message=Сообщение +authorizedRole.moderator.table.chatChannelDomain=Канал +authorizedRole.moderator.table.reporter=Репортер +authorizedRole.moderator.table.accused=Обвиняемый +authorizedRole.moderator.table.ban=Запрет +authorizedRole.moderator.table.contact=Контакты +authorizedRole.moderator.table.delete=Удалить + +authorizedRole.moderator.bannedUserProfile.table.headline=Запрещенные профили пользователей +authorizedRole.moderator.bannedUserProfile.table.userProfile=Профиль пользователя +authorizedRole.moderator.bannedUserProfile.table.contact=Контакты + +authorizedRole.moderator.table.removeBan=Удалить запрет + +authorizedRole.moderator.replyMsg=Я являюсь модератором Bisq и хотел бы обсудить отправленное вами сообщение. + + +################################################################################ +# Security manager +################################################################################ +authorizedRole.securityManager.difficultyAdjustment.headline=Регулировка сложности Pow +authorizedRole.securityManager.difficultyAdjustment.description=Коэффициент корректировки сложности +authorizedRole.securityManager.difficultyAdjustment.invalid=Должно быть числом от 0 до {0}. +authorizedRole.securityManager.difficultyAdjustment.button=Опубликовать коэффициент корректировки сложности +authorizedRole.securityManager.difficultyAdjustment.table.headline=Опубликованные данные о корректировке сложности +authorizedRole.securityManager.difficultyAdjustment.table.value=Значение + +authorizedRole.securityManager.alert.headline=Управление оповещениями +authorizedRole.securityManager.selectAlertType=Выберите тип оповещения +authorizedRole.securityManager.alert.message.headline=Заголовок +authorizedRole.securityManager.alert.message=Предупреждающее сообщение (не более 1000 символов) +authorizedRole.securityManager.alert.message.tooLong=Сообщение о тревоге длиннее 1000 символов +authorizedRole.securityManager.emergency.haltTrading=Прекратить торговлю +authorizedRole.securityManager.emergency.requireVersionForTrading=Требуется минимальная версия для торговли +authorizedRole.securityManager.emergency.requireVersionForTrading.version=Версия +authorizedRole.securityManager.emergency.requireVersionForTrading.version.prompt=Введите минимальный номер версии (например: `2.1.2`) +authorizedRole.securityManager.selectBondedRole=Выберите подневольную роль +authorizedRole.securityManager.selectedBondedRole={0}: Никнейм: {1}, Идентификатор профиля: {2} +authorizedRole.securityManager.selectedBondedNode={0}: Псевдоним: {1}, Идентификатор профиля: {2}, Адрес: {3} + +authorizedRole.securityManager.alert.table.headline=Оповещения +authorizedRole.securityManager.alert.table.alertType=Тип +authorizedRole.securityManager.alert.table.message=Сообщение +authorizedRole.securityManager.alert.table.haltTrading=Прекратить торговлю +authorizedRole.securityManager.alert.table.requireVersionForTrading=Требуется минимальная версия +authorizedRole.securityManager.alert.table.minVersion=Минимальная версия +authorizedRole.securityManager.alert.table.bannedRole=Запрещенная роль +authorizedRole.securityManager.alert.table.bannedRole.value={0}: {1} ({2}) +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.actionButton.INFO=Отправить информационное оповещение +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.actionButton.WARN=Отправить предупреждение +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.actionButton.EMERGENCY=Отправить экстренное оповещение +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.actionButton.BAN=Запрет на подневольную роль +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.alertType.INFO=Информация +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.alertType.WARN=Внимание +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.alertType.EMERGENCY=Экстренный +# suppress inspection "UnusedProperty" +authorizedRole.securityManager.alertType.BAN=Запретная роль + + +################################################################################ +# Release manager +################################################################################ + +authorizedRole.releaseManager.headline=Отправка уведомления об обновлении +authorizedRole.releaseManager.releaseNotes=Примечания к выпуску +authorizedRole.releaseManager.isPreRelease=Является предварительной версией +authorizedRole.releaseManager.isLauncherUpdate=Обновление пусковой установки +authorizedRole.releaseManager.version=Версия выпуска +authorizedRole.releaseManager.send=Опубликовать + +authorizedRole.releaseManager.table.headline=Обновление уведомлений +authorizedRole.releaseManager.table.releaseNotes=Примечания к выпуску +authorizedRole.releaseManager.table.version=Версия +authorizedRole.releaseManager.table.isPreRelease=Является предварительной версией +authorizedRole.releaseManager.table.isLauncherUpdate=Обновление лаунчера +authorizedRole.releaseManager.table.profileId=Идентификатор профиля издателя + + diff --git a/shared/domain/src/commonMain/resources/mobile/bisq_easy.properties b/shared/domain/src/commonMain/resources/mobile/bisq_easy.properties new file mode 100644 index 00000000..78e7e19c --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/bisq_easy.properties @@ -0,0 +1,968 @@ +#################################################################### +# +# Chat module +# +#################################################################### + +bisqEasy.offerBookChannel.description=Market channel for trading {0} +bisqEasy.mediator=Mediator + + +#################################################################### +# +# Desktop module +# +#################################################################### + + +###################################################### +# Bisq Easy +###################################################### + +bisqEasy.dashboard=Getting started +bisqEasy.offerbook=Offerbook +bisqEasy.openTrades=My open trades + + +###################################################### +# Bisq Easy dashboard +###################################################### + +bisqEasy.onboarding.top.headline=Bisq Easy in 3 minutes +bisqEasy.onboarding.top.content1=Get a quick introduction into Bisq Easy +bisqEasy.onboarding.top.content2=See how the trade process works +bisqEasy.onboarding.top.content3=Learn about the simple trade rules +bisqEasy.onboarding.openTradeGuide=Read the trade guide +bisqEasy.onboarding.watchVideo=Watch video +bisqEasy.onboarding.watchVideo.tooltip=Watch embedded introduction video + +bisqEasy.onboarding.left.headline=Best for beginners +bisqEasy.onboarding.left.info=The trade wizard guides you through your first Bitcoin trade. The Bitcoin sellers will help you if you have any questions. +bisqEasy.onboarding.left.button=Start trade wizard + +bisqEasy.onboarding.right.headline=For experienced traders +bisqEasy.onboarding.right.info=Browse the offerbook for the best offers or create your own offer. +bisqEasy.onboarding.right.button=Open offerbook + + +################################################################################ +# +# Create offer +# +################################################################################ + +bisqEasy.tradeWizard.progress.directionAndMarket=Offer type +bisqEasy.tradeWizard.progress.price=Price +bisqEasy.tradeWizard.progress.amount=Amount +bisqEasy.tradeWizard.progress.paymentMethods=Payment methods +bisqEasy.tradeWizard.progress.takeOffer=Select offer +bisqEasy.tradeWizard.progress.review=Review + + +################################################################################ +# Create offer / Direction +################################################################################ + +bisqEasy.tradeWizard.directionAndMarket.headline=Do you want to buy or sell Bitcoin with +bisqEasy.tradeWizard.directionAndMarket.buy=Buy Bitcoin +bisqEasy.tradeWizard.directionAndMarket.sell=Sell Bitcoin +bisqEasy.tradeWizard.directionAndMarket.feedback.headline=How to build up reputation? +bisqEasy.tradeWizard.directionAndMarket.feedback.subTitle1=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\n\ + This 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.gainReputation=Learn how to build up reputation +bisqEasy.tradeWizard.directionAndMarket.feedback.subTitle2=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.tradeWizard.directionAndMarket.feedback.tradeWithoutReputation=Continue without reputation +bisqEasy.tradeWizard.directionAndMarket.feedback.backToBuy=Back + + +################################################################################ +# Create offer / Market +################################################################################ + +bisqEasy.tradeWizard.market.headline.buyer=In which currency do you want to pay? +bisqEasy.tradeWizard.market.headline.seller=In which currency do you want to get paid? +bisqEasy.tradeWizard.market.subTitle=Choose your trade currency +bisqEasy.tradeWizard.market.columns.name=Fiat currency +bisqEasy.tradeWizard.market.columns.numOffers=Num. offers +bisqEasy.tradeWizard.market.columns.numPeers=Online peers + + +################################################################################ +# Create offer / Price +################################################################################ + +bisqEasy.price.headline=What is your trade price? +bisqEasy.tradeWizard.price.subtitle=This can be defined as a percentage price which floats\ + \ with the market price or fixed price. +bisqEasy.price.percentage.title=Percentage price +bisqEasy.price.percentage.inputBoxText=Market price percentage between -10% and 50% +bisqEasy.price.tradePrice.title=Fixed price +bisqEasy.price.tradePrice.inputBoxText=Trade price in {0} +bisqEasy.price.feedback.sentence=Your offer has {0} chances to be taken at this price. +bisqEasy.price.feedback.sentence.veryLow=very low +bisqEasy.price.feedback.sentence.low=low +bisqEasy.price.feedback.sentence.some=some +bisqEasy.price.feedback.sentence.good=good +bisqEasy.price.feedback.sentence.veryGood=very good +bisqEasy.price.feedback.learnWhySection.openButton=Why? +bisqEasy.price.feedback.learnWhySection.closeButton=Back to Trade Price +bisqEasy.price.feedback.learnWhySection.title=Why should I pay a higher price to the seller? +bisqEasy.price.feedback.learnWhySection.description.intro=The reason for that is that the seller has to cover extra expenses \ + and compensate for the seller's service, specifically: +bisqEasy.price.feedback.learnWhySection.description.exposition=\ + - 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.price.warn.invalidPrice.outOfRange=The price you entered is outside the permitted range of -10% to 50%. +bisqEasy.price.warn.invalidPrice.numberFormatException=The price you entered is not a valid number. +bisqEasy.price.warn.invalidPrice.exception=The price you entered is invalid.\n\n\ + Error message: {0} + + +################################################################################ +# Create offer / Amount +################################################################################ + +bisqEasy.tradeWizard.amount.headline.buyer=How much do you want to spend? +bisqEasy.tradeWizard.amount.headline.seller=How much do you want to receive? +bisqEasy.tradeWizard.amount.description.minAmount=Set the minimum value for the amount range +bisqEasy.tradeWizard.amount.description.maxAmount=Set the maximum value for the amount range +bisqEasy.tradeWizard.amount.description.fixAmount=Set the amount you want to trade +bisqEasy.tradeWizard.amount.addMinAmountOption=Add min/max range for amount +bisqEasy.tradeWizard.amount.removeMinAmountOption=Use fix value amount +bisqEasy.component.amount.minRangeValue=Min {0} +bisqEasy.component.amount.maxRangeValue=Max {0} +bisqEasy.component.amount.baseSide.tooltip.btcAmount.marketPrice=This is the Bitcoin amount with current market price. +bisqEasy.component.amount.baseSide.tooltip.btcAmount.selectedPrice=This is the Bitcoin amount with your selected price. +bisqEasy.component.amount.baseSide.tooltip.buyerInfo=Sellers may ask for a higher price as they have costs for acquiring reputation.\n\ + 5-15% price premium is common. +bisqEasy.component.amount.baseSide.tooltip.bestOfferPrice=This is the Bitcoin amount with the best price\n\ + from matching offers: {0} +bisqEasy.component.amount.baseSide.tooltip.buyer.btcAmount=This is the Bitcoin amount to receive +bisqEasy.component.amount.baseSide.tooltip.seller.btcAmount=This is the Bitcoin amount to spend +bisqEasy.component.amount.baseSide.tooltip.taker.offerPrice=with the offer price: {0} + + +bisqEasy.tradeWizard.amount.limitInfo.overlay.headline=Reputation-based trade amount limits +bisqEasy.tradeWizard.amount.limitInfo.overlay.close=Close overlay + +bisqEasy.tradeWizard.amount.seller.wizard.numMatchingOffers.info=There {0} matching the chosen trade amount. +bisqEasy.tradeWizard.amount.seller.wizard.limitInfo=With your reputation score of {0}, you can trade up to +bisqEasy.tradeWizard.amount.seller.wizard.limitInfo.overlay.info=With a reputation score of {0}, you can trade up to {1}.\n\n\ + You can find information on how to increase your reputation at ''Reputation/Build Reputation''. + +bisqEasy.tradeWizard.amount.seller.limitInfo.scoreTooLow=With your reputation score of {0}, your trade amount should not exceed +bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.scoreTooLow=Your reputation score of {0} doesn''t offer sufficient security for buyers.\n\n\ + Buyers who consider to take your offer will receive a warning about potential risks when taking your offer.\n\n\ + You can find information on how to increase your reputation at ''Reputation/Build Reputation''. + +bisqEasy.takeOffer.amount.seller.limitInfo.lowToleratedAmount=As the trade amount is below {0}, reputation requirements are relaxed. +bisqEasy.takeOffer.amount.seller.limitInfo.scoreTooLow=As your reputation score is only {0} your trade amount is restricted to +bisqEasy.takeOffer.amount.seller.limitInfo.overlay.info.scoreTooLow=For amounts up to {0} the reputation requirements are relaxed.\n\n\ + Your 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\n\ + You can find information on how to increase your reputation at ''Reputation/Build Reputation''. + +bisqEasy.tradeWizard.amount.seller.limitInfo.sufficientScore=Your reputation score of {0} provides security for offers up to +bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.sufficientScore=With a reputation score of {0}, you provide security for trades up to {1}. + +bisqEasy.tradeWizard.amount.seller.limitInfo.inSufficientScore=The security provided by your reputation score of {0} is insufficient for offers over +bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.inSufficientScore=With a reputation score of {0}, the security you provide is insufficient for trades over {1}.\n\n\ + You can still create such offers, but buyers will be warned about potential risks when attempting to take your offer.\n\n\ + You can find information on how to increase your reputation at ''Reputation/Build Reputation''. + +bisqEasy.tradeWizard.amount.seller.limitInfoAmount={0}. +bisqEasy.tradeWizard.amount.seller.limitInfo.link=Learn more + + +bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.linkToWikiText=For more details about the reputation system, visit the Bisq Wiki at: + +bisqEasy.tradeWizard.amount.seller.limitInfo.noReputationNeededForMaxOrFixedAmount=For amounts up to {0} no reputation is required. +bisqEasy.tradeWizard.amount.seller.limitInfo.noReputationNeededForMaxOrFixedAmount.overlay.info.scoreTooLow=For amounts up to {0} the reputation requirements are relaxed.\n\n\ + Your 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\n\ + You can find information on how to increase your reputation at ''Reputation/Build Reputation''. + + +bisqEasy.tradeWizard.amount.buyer.limitInfo.learnMore=Learn more + +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.buyer.numSellers.0=is no seller +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.buyer.numSellers.1=is one seller +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.buyer.numSellers.*=are {0} sellers + +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.numOffers.0=is no offer +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.numOffers.1=is one offer +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.numOffers.*=are {0} offers + +bisqEasy.tradeWizard.amount.buyer.limitInfo=There {0} in the network with sufficient reputation to take an offer of {1}. +bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.info=A seller who wants to take your offer of {0}, must have a reputation score of at least {1}.\n\ + By reducing the maximum trade amount, you make your offer accessible to more sellers. + +bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.info.leadLine=There {0} matching the chosen trade amount. +bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.info=For offers up to {0}, reputation requirements are relaxed. +bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.overlay.info=Given the low min. amount of {0}, the reputation requirements are relaxed.\n\ + For amounts up to {1}, sellers do not need reputation.\n\n\ + At the ''Select Offer'' screen it is recommended to choose sellers with higher reputation. + +bisqEasy.tradeWizard.amount.buyer.limitInfo.noReputationNeededForMaxOrFixedAmount=Sellers with no reputation can take offers up to {0}. +bisqEasy.tradeWizard.amount.buyer.limitInfo.noReputationNeededForMaxOrFixedAmount.riskInfo=Be sure you fully understand the risks involved. +bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.noReputationNeededForMaxOrFixedAmount.info=Given the low amount of {0}, reputation requirements are relaxed.\n\ + For amounts up to {1}, sellers with insufficient or no reputation can take the offer.\n\n\ + Be 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.tradeWizard.amount.buyer.limitInfo.overlay.linkToWikiText=To learn more about the reputation system, visit: + + +bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo.leadLine=Since your min. amount is below {0}, sellers without reputation can take your offer. +bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo=For the max. amount of {0} there {1} with enough reputation to take your offer. +bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo.overlay.info=Given the low trade amount of {0}, the reputation requirements are relaxed.\n\ + For amounts up to {1}, sellers with insufficient or no reputation can take your offer.\n\n\ + Sellers who wants to take your offer with the max. amount of {2}, must have a reputation score of at least {3}.\n\ + By reducing the maximum trade amount, you make your offer accessible to more sellers. + + +################################################################################ +# Create offer / Payment methods +################################################################################ + +bisqEasy.tradeWizard.paymentMethods.headline=Which payment and settlement methods do you want to use? +bisqEasy.tradeWizard.paymentMethods.fiat.subTitle.buyer=Choose the payment methods to transfer {0} +bisqEasy.tradeWizard.paymentMethods.fiat.subTitle.seller=Choose the payment methods to receive {0} +bisqEasy.tradeWizard.paymentMethods.bitcoin.subTitle.buyer=Choose the settlement methods to receive Bitcoin +bisqEasy.tradeWizard.paymentMethods.bitcoin.subTitle.seller=Choose the settlement methods to send Bitcoin +bisqEasy.tradeWizard.paymentMethods.noneFound=For the selected market there are no default payment methods provided.\n\ + Please add in the text field below the custom payment you want to use. +bisqEasy.tradeWizard.paymentMethods.customMethod.prompt=Custom payment +bisqEasy.tradeWizard.paymentMethods.warn.maxMethodsReached=You cannot add more than 4 payment methods. +bisqEasy.tradeWizard.paymentMethods.warn.tooLong=A custom payment method name must not be longer than 20 characters. +bisqEasy.tradeWizard.paymentMethods.warn.customPaymentMethodAlreadyExists=A custom payment method with name {0} already exists. +bisqEasy.tradeWizard.paymentMethods.warn.customNameMatchesPredefinedMethod=The name of your custom payment method must not be the same as one of the predefined. +bisqEasy.tradeWizard.paymentMethods.warn.noFiatPaymentMethodSelected=Please choose at least one fiat payment method. +bisqEasy.tradeWizard.paymentMethods.warn.noBtcSettlementMethodSelected=Please choose at least one Bitcoin settlement method. + + +################################################################################ +# TradeWizard / Select offer +################################################################################ + +bisqEasy.tradeWizard.selectOffer.headline.buyer=Buy Bitcoin for {0} +bisqEasy.tradeWizard.selectOffer.headline.seller=Sell Bitcoin for {0} +bisqEasy.tradeWizard.selectOffer.subHeadline=It is recommended to trade with users with high reputation. +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.headline=No matching offers found +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.subHeadline=There are no offers available for your selection criteria. +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.goBack=Change selection +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.goBack.info=Go back to the previous screens and change the selection +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.browseOfferbook=Browse offerbook +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.browseOfferbook.info=Close the trade wizard and browse the offer book + + +################################################################################ +# TradeWizard / Review +################################################################################ + +bisqEasy.tradeWizard.review.headline.maker=Review offer +bisqEasy.tradeWizard.review.headline.taker=Review trade +bisqEasy.tradeWizard.review.detailsHeadline.taker=Trade details +bisqEasy.tradeWizard.review.detailsHeadline.maker=Offer details +bisqEasy.tradeWizard.review.feeDescription=Fees +bisqEasy.tradeWizard.review.noTradeFees=No trade fees in Bisq Easy +bisqEasy.tradeWizard.review.sellerPaysMinerFeeLong=The seller pays the mining fee +bisqEasy.tradeWizard.review.sellerPaysMinerFee=Seller pays the mining fee +bisqEasy.tradeWizard.review.noTradeFeesLong=There are no trade fees in Bisq Easy + +bisqEasy.tradeWizard.review.toPay=Amount to pay +bisqEasy.tradeWizard.review.toSend=Amount to send +bisqEasy.tradeWizard.review.toReceive=Amount to receive +bisqEasy.tradeWizard.review.direction={0} Bitcoin +bisqEasy.tradeWizard.review.paymentMethodDescription.btc=Bitcoin settlement method +bisqEasy.tradeWizard.review.paymentMethodDescriptions.btc.maker=Bitcoin settlement methods +bisqEasy.tradeWizard.review.paymentMethodDescriptions.btc.taker=Select Bitcoin settlement method +bisqEasy.tradeWizard.review.paymentMethodDescription.fiat=Fiat payment method +bisqEasy.tradeWizard.review.paymentMethodDescriptions.fiat.maker=Fiat payment methods +bisqEasy.tradeWizard.review.paymentMethodDescriptions.fiat.taker=Select fiat payment method +bisqEasy.tradeWizard.review.price={0} <{1} style=trade-wizard-review-code> + +bisqEasy.tradeWizard.review.priceDescription.taker=Trade price +bisqEasy.tradeWizard.review.priceDescription.maker=Offer price +bisqEasy.tradeWizard.review.priceDetails.fix=Fix price. {0} {1} market price of {2} +bisqEasy.tradeWizard.review.priceDetails.fix.atMarket=Fix price. Same as market price of {0} +bisqEasy.tradeWizard.review.priceDetails.float=Float price. {0} {1} market price of {2} +bisqEasy.tradeWizard.review.priceDetails=Floats with the market price +bisqEasy.tradeWizard.review.nextButton.createOffer=Create offer +bisqEasy.tradeWizard.review.nextButton.takeOffer=Confirm trade + +bisqEasy.tradeWizard.review.createOfferSuccess.headline=Offer successfully published +bisqEasy.tradeWizard.review.createOfferSuccess.subTitle=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\n\ + Be sure to regularly check the Bisq application for new messages from a taker. +bisqEasy.tradeWizard.review.createOfferSuccessButton=Show my offer in 'Offerbook' + +bisqEasy.tradeWizard.review.takeOfferSuccess.headline=You have successfully taken the offer +bisqEasy.tradeWizard.review.takeOfferSuccess.subTitle=Please get in touch with the trade peer at 'Open Trades'.\n\ + You will find further information for the next steps over there.\n\n\ + Be sure to regularly check the Bisq application for new messages from your trade peer. +bisqEasy.tradeWizard.review.takeOfferSuccessButton=Show trade in 'Open Trades' + + +################################################################################ +# Create offer / Review +################################################################################# + +bisqEasy.tradeWizard.review.table.baseAmount.buyer=You receive +bisqEasy.tradeWizard.review.table.baseAmount.seller=You spend +bisqEasy.tradeWizard.review.table.price=Price in {0} +bisqEasy.tradeWizard.review.table.reputation=Reputation +bisqEasy.tradeWizard.review.chatMessage.fixPrice={0} +bisqEasy.tradeWizard.review.chatMessage.floatPrice.above={0} above market price +bisqEasy.tradeWizard.review.chatMessage.floatPrice.plus=+{0} +bisqEasy.tradeWizard.review.chatMessage.floatPrice.below={0} below market price +bisqEasy.tradeWizard.review.chatMessage.floatPrice.minus=-{0} +bisqEasy.tradeWizard.review.chatMessage.marketPrice=Market price +bisqEasy.tradeWizard.review.chatMessage.price=Price: +bisqEasy.tradeWizard.review.chatMessage.peerMessage.sell=Sell Bitcoin to {0}\n\ + Amount: {1}\n\ + Bitcoin settlement method(s): {2}\n\ + Fiat payment method(s): {3}\n\ + {4} +bisqEasy.tradeWizard.review.chatMessage.peerMessage.buy=Buy Bitcoin from {0}\n\ + Amount: {1}\n\ + Bitcoin settlement method(s): {2}\n\ + Fiat payment method(s): {3}\n\ + {4} +bisqEasy.tradeWizard.review.chatMessage.offerDetails=Amount: {0}\n\ + Bitcoin settlement method(s): {1}\n\ + Fiat payment method(s): {2}\n\ + {3} +bisqEasy.tradeWizard.review.chatMessage.peerMessageTitle.sell=Sell Bitcoin to +bisqEasy.tradeWizard.review.chatMessage.peerMessageTitle.buy=Buy Bitcoin from +bisqEasy.tradeWizard.review.chatMessage.myMessageTitle=My Offer to {0} Bitcoin + + +################################################################################ +# +# Take offer +# +################################################################################ + +bisqEasy.takeOffer.progress.amount=Trade amount +bisqEasy.takeOffer.progress.method=Payment method +bisqEasy.takeOffer.progress.review=Review trade + +bisqEasy.takeOffer.amount.headline.buyer=How much do you want to spend? +bisqEasy.takeOffer.amount.headline.seller=How much do you want to trade? +bisqEasy.takeOffer.amount.description=The offer allows you can choose a trade amount\n\ + between {0} and {1} +bisqEasy.takeOffer.amount.description.limitedByTakersReputation=Your reputation score of {0} allows you can choose a trade amount\n\ + between {1} and {2} + +bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMax=Seller''s reputation score is only {0}. It is not recommended to trade more than +bisqEasy.takeOffer.amount.buyer.limitInfoAmount={0}. +bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMax.overlay.info=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\n\ + 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.takeOffer.amount.buyer.limitInfo.minAmountCovered=Seller''s reputation score of {0} provides security up to +bisqEasy.takeOffer.amount.buyer.limitInfo.minAmountCovered.overlay.info=Seller''s reputation score of {0} provides security for up to {1}.\n\n\ + If 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.takeOffer.amount.buyer.limitInfo.minAmountNotCovered=Seller''s reputation score of {0} does not provide sufficient security for that offer. +bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMin.overlay.info=Seller''s reputation score of {0} does not provide sufficient security for that offer.\n\n\ + It 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.takeOffer.amount.buyer.limitInfo.learnMore=Learn more +bisqEasy.takeOffer.amount.buyer.limitInfo.overlay.linkToWikiText=To learn more about the reputation system, visit: + +bisqEasy.takeOffer.paymentMethods.headline.fiat=Which payment method do you want to use? +bisqEasy.takeOffer.paymentMethods.headline.fiatAndBitcoin=Which payment and settlement method do you want to use? +bisqEasy.takeOffer.paymentMethods.headline.bitcoin=Which settlement method do you want to use? +bisqEasy.takeOffer.paymentMethods.subtitle.fiat.buyer=Choose a payment method to transfer {0} +bisqEasy.takeOffer.paymentMethods.subtitle.fiat.seller=Choose a payment method to receive {0} +bisqEasy.takeOffer.paymentMethods.subtitle.bitcoin.buyer=Choose a settlement method to receive Bitcoin +bisqEasy.takeOffer.paymentMethods.subtitle.bitcoin.seller=Choose a settlement method to send Bitcoin + +bisqEasy.takeOffer.review.headline=Review trade +bisqEasy.takeOffer.review.detailsHeadline=Trade details +bisqEasy.takeOffer.review.method.fiat=Fiat payment method +bisqEasy.takeOffer.review.method.bitcoin=Bitcoin settlement method +bisqEasy.takeOffer.review.price.price=Trade price +bisqEasy.takeOffer.review.noTradeFees=No trade fees in Bisq Easy +bisqEasy.takeOffer.review.sellerPaysMinerFeeLong=The seller pays the mining fee +bisqEasy.takeOffer.review.sellerPaysMinerFee=Seller pays the mining fee +bisqEasy.takeOffer.review.noTradeFeesLong=There are no trade fees in Bisq Easy +bisqEasy.takeOffer.review.takeOffer=Confirm take offer +bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.headline=Sending take-offer message +bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.subTitle=Sending the take-offer message can take up to 2 minutes +bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.info=Do not close the window or the application until you \ + see the confirmation that the take-offer request was successfully sent. +bisqEasy.takeOffer.review.takeOfferSuccess.headline=You have successfully taken the offer +bisqEasy.takeOffer.review.takeOfferSuccess.subTitle=Please get in touch with the trade peer at 'Open Trades'.\n\ + You will find further information for the next steps over there.\n\n\ + Be sure to regularly check the Bisq application for new messages from your trade peer. +bisqEasy.takeOffer.review.takeOfferSuccessButton=Show trade in 'Open Trades' +bisqEasy.takeOffer.tradeLogMessage={0} has sent a message for taking {1}''s offer + +bisqEasy.takeOffer.noMediatorAvailable.warning=There is no mediator available. You have to use the support chat instead. +bisqEasy.takeOffer.makerBanned.warning=The maker of this offer is banned. Please try to use a different offer. +# suppress inspection "UnusedProperty" +bisqEasy.takeOffer.bitcoinPaymentData.warning.MAIN_CHAIN=The Bitcoin address that you have entered appears to be invalid.\n\n\ + If you are sure the address is valid you can ignore this warning and proceed. +# suppress inspection "UnusedProperty" +bisqEasy.takeOffer.bitcoinPaymentData.warning.LN=The Lightning invoice that you have entered appears to be invalid.\n\n\ + If you are sure the invoice is valid you can ignore this warning and proceed. +bisqEasy.takeOffer.bitcoinPaymentData.warning.proceed=Ignore warning + + +################################################################################ +# +# TradeGuide +# +################################################################################ + +bisqEasy.tradeGuide.tabs.headline=Trade guide +bisqEasy.tradeGuide.welcome=Overview +bisqEasy.tradeGuide.security=Security +bisqEasy.tradeGuide.process=Process +bisqEasy.tradeGuide.rules=Trade rules + +bisqEasy.tradeGuide.welcome.headline=How to trade on Bisq Easy +bisqEasy.tradeGuide.welcome.content=This guide provides an overview of essential aspects for buying or selling Bitcoin with Bisq Easy.\n\ + In 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\n\ + For any additional questions, feel free to visit the chat rooms available under the 'Support' menu. + +bisqEasy.tradeGuide.security.headline=How safe is it to trade on Bisq Easy? +bisqEasy.tradeGuide.security.content=\ + - 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.tradeGuide.process.headline=How does the trade process works? +bisqEasy.tradeGuide.process.content=\ + 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.\n\ + Once the trade is initiated, the user interface will guide you through the trade process, which consists of the following steps: + +bisqEasy.tradeGuide.process.steps=\ + 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.\n\ + 2. Next, the buyer initiates the Fiat payment to the seller's account. Upon receiving the payment, the seller will confirm the receipt.\n\ + 3. 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.tradeGuide.rules.headline=What do I need to know about the trade rules? +bisqEasy.tradeGuide.rules.content=\ + - 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\n\ + Should you have any questions or need assistance, don't hesitate to visit the chat rooms accessible under the 'Support' menu. Happy trading! + +bisqEasy.tradeGuide.rules.confirm=I have read and understood + +bisqEasy.tradeGuide.notConfirmed.warn=Please read the trade guide and confirm that \ + you have read and understood the trade rules. +bisqEasy.tradeGuide.open=Open trade guide + + +################################################################################ +# WalletGuide +################################################################################ + +bisqEasy.walletGuide.open=Open wallet guide + +bisqEasy.walletGuide.tabs.headline=Wallet guide +bisqEasy.walletGuide.intro=Intro +bisqEasy.walletGuide.download=Download +bisqEasy.walletGuide.createWallet=New wallet +bisqEasy.walletGuide.receive=Receiving + +bisqEasy.walletGuide.intro.headline=Get ready to receive your first Bitcoin +bisqEasy.walletGuide.intro.content=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\n\ + In 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\n\ + If you are already familiar with on-chain wallets and have one, you can skip this guide and simply use your wallet. + +bisqEasy.walletGuide.download.headline=Downloading your wallet +bisqEasy.walletGuide.download.content=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\n\ + You 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\n\ + Important 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\n\ + Finally, 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.walletGuide.download.link=Click here to visit Bluewallet's page + +bisqEasy.walletGuide.createWallet.headline=Creating your new wallet +bisqEasy.walletGuide.createWallet.content=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\n\ + When 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\n\ + Once you are done, click on 'Ok, I wrote it down'.\n\ + Congratulations! You have created your wallet! Let's move on to how to receive your bitcoin in it. + +bisqEasy.walletGuide.receive.headline=Receiving bitcoin in your wallet +bisqEasy.walletGuide.receive.content=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\n\ + Bluewallet 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\n\ + Once 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\n\ + These 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.walletGuide.receive.link1=Bluewallet tutorial by Anita Posch +bisqEasy.walletGuide.receive.link2=Bluewallet tutorial by BTC Sessions + + +###################################################### +# Offerbook +###################################################### + +bisqEasy.offerbook.markets=Markets +bisqEasy.offerbook.markets.CollapsedList.Tooltip=Expand Markets +bisqEasy.offerbook.markets.ExpandedList.Tooltip=Collapse Markets +bisqEasy.offerbook.marketListCell.numOffers.one={0} offer +bisqEasy.offerbook.marketListCell.numOffers.many={0} offers +bisqEasy.offerbook.marketListCell.numOffers.tooltip.none=No offers yet available in the {0} market +bisqEasy.offerbook.marketListCell.numOffers.tooltip.one={0} offer is available in the {1} market +bisqEasy.offerbook.marketListCell.numOffers.tooltip.many={0} offers are available in the {1} market +bisqEasy.offerbook.marketListCell.favourites.tooltip.addToFavourites=Add to favourites +bisqEasy.offerbook.marketListCell.favourites.tooltip.removeFromFavourites=Remove from favourites +bisqEasy.offerbook.marketListCell.favourites.maxReached.popup=There's only space for 5 favourites. Remove a favourite and try again. + +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.tooltip=Sort and filter markets +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.sortTitle=Sort by: +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.mostOffers=Most offers +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.nameAZ=Name A-Z +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.nameZA=Name Z-A +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.filterTitle=Show markets: +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.withOffers=With offers +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.favourites=Only favourites +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.all=All + +bisqEasy.offerbook.dropdownMenu.messageTypeFilter.tooltip=Filter by chat activity +bisqEasy.offerbook.dropdownMenu.messageTypeFilter.all=All activity +bisqEasy.offerbook.dropdownMenu.messageTypeFilter.offers=Only offers +bisqEasy.offerbook.dropdownMenu.messageTypeFilter.text=Only messages + +bisqEasy.offerbook.chatMessage.deleteOffer.confirmation=Are you sure you want to delete this offer? +bisqEasy.offerbook.chatMessage.deleteMessage.confirmation=Are you sure you want to delete this message? + +bisqEasy.offerbook.offerList=Offer List +bisqEasy.offerbook.offerList.collapsedList.tooltip=Expand Offer List +bisqEasy.offerbook.offerList.expandedList.tooltip=Collapse Offer List +bisqEasy.offerbook.offerList.table.columns.peerProfile=Peer profile +bisqEasy.offerbook.offerList.table.columns.price=Price +bisqEasy.offerbook.offerList.table.columns.fiatAmount={0} amount +bisqEasy.offerbook.offerList.table.columns.paymentMethod=Payment +bisqEasy.offerbook.offerList.table.columns.settlementMethod=Settlement +bisqEasy.offerbook.offerList.table.columns.offerType.buy=Buying +bisqEasy.offerbook.offerList.table.columns.offerType.sell=Selling +bisqEasy.offerbook.offerList.table.filters.offerDirection.buyFrom=Buy from +bisqEasy.offerbook.offerList.table.filters.offerDirection.sellTo=Sell to +bisqEasy.offerbook.offerList.table.filters.paymentMethods.title=Payments ({0}) +bisqEasy.offerbook.offerList.table.filters.paymentMethods.title.all=All +bisqEasy.offerbook.offerList.table.filters.paymentMethods.customPayments=Custom payments +bisqEasy.offerbook.offerList.table.filters.paymentMethods.clearFilters=Clear filters +bisqEasy.offerbook.offerList.table.filters.showMyOffersOnly=My offers only + + +###################################################### +# Open trades +###################################################### + +bisqEasy.openTrades.table.headline=My open trades +bisqEasy.openTrades.noTrades=You don't have any open trades +bisqEasy.openTrades.rejectTrade=Reject trade +bisqEasy.openTrades.cancelTrade=Cancel trade +bisqEasy.openTrades.tradeLogMessage.rejected={0} rejected the trade +bisqEasy.openTrades.tradeLogMessage.cancelled={0} cancelled the trade +bisqEasy.openTrades.rejectTrade.warning=Since the exchange of account details has not yet started, rejecting \ + the trade does not constitute a violation of the trade rules.\n\n\ + If you have any questions or encounter issues, please don't hesitate to \ + contact your trade peer or seek assistance in the 'Support section'.\n\n\ + Are you sure you want to reject the trade? +bisqEasy.openTrades.cancelTrade.warning.buyer=Since the exchange of account details has commenced, \ + canceling the trade without the seller''s {0} +bisqEasy.openTrades.cancelTrade.warning.seller=Since the exchange of account details has commenced, \ + canceling the trade without the buyer''s {0} + +bisqEasy.openTrades.cancelTrade.warning.part2=consent could be considered a \ + violation of the trading rules and may result in your profile being banned from the network.\n\n\ + If 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\n\ + If you have any questions or encounter issues, please do not hesitate to contact your trade peer or seek assistance \ + in the 'Support section'.\n\n\ + If 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\n\ + Are you sure you want to cancel the trade? + +bisqEasy.openTrades.closeTrade.warning.interrupted=Before closing the trade you can back up the trade data as csv file if needed.\n\n\ + Once 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\n\ + Do you want to close the trade now? + +bisqEasy.openTrades.closeTrade.warning.completed=Your trade has been completed.\n\n\ + You can now close the trade or back up the trade data on your computer if needed.\n\n\ + Once 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.openTrades.closeTrade=Close trade +bisqEasy.openTrades.confirmCloseTrade=Confirm close trade +bisqEasy.openTrades.exportTrade=Export trade data +bisqEasy.openTrades.reportToMediator=Report to mediator +bisqEasy.openTrades.rejected.self=You have rejected the trade +bisqEasy.openTrades.rejected.peer=Your trade peer has rejected the trade +bisqEasy.openTrades.cancelled.self=You have cancelled the trade +bisqEasy.openTrades.cancelled.peer=Your trade peer has cancelled the trade +bisqEasy.openTrades.inMediation.info=A mediator has joined the trade chat. Please use the trade chat below to get assistance from the mediator. +bisqEasy.openTrades.failed=The trade failed with error message: {0} +bisqEasy.openTrades.failed.popup=The trade failed due an error.\n\ + Error message: {0}\n\n\ + Stack trace: {1} +bisqEasy.openTrades.failedAtPeer=The peer''s trade failed with an error caused by: {0} +bisqEasy.openTrades.failedAtPeer.popup=The peer''s trade failed due an error.\n\ + Error caused by: {0}\n\n\ + Stack trace: {1} +bisqEasy.openTrades.table.tradePeer=Peer +bisqEasy.openTrades.table.me=Me +bisqEasy.openTrades.table.mediator=Mediator +bisqEasy.openTrades.table.tradeId=Trade ID +bisqEasy.openTrades.table.price=Price +bisqEasy.openTrades.table.baseAmount=Amount in BTC +bisqEasy.openTrades.table.quoteAmount=Amount +bisqEasy.openTrades.table.paymentMethod=Payment +bisqEasy.openTrades.table.paymentMethod.tooltip=Fiat payment method: {0} +bisqEasy.openTrades.table.settlementMethod=Settlement +bisqEasy.openTrades.table.settlementMethod.tooltip=Bitcoin settlement method: {0} +bisqEasy.openTrades.table.makerTakerRole=My role +bisqEasy.openTrades.table.direction.buyer=Buying from: +bisqEasy.openTrades.table.direction.seller=Selling to: +bisqEasy.openTrades.table.makerTakerRole.maker=Maker +bisqEasy.openTrades.table.makerTakerRole.taker=Taker +bisqEasy.openTrades.csv.quoteAmount=Amount in {0} +bisqEasy.openTrades.csv.txIdOrPreimage=Transaction ID/Preimage +bisqEasy.openTrades.csv.receiverAddressOrInvoice=Receiver address/Invoice +bisqEasy.openTrades.csv.paymentMethod=Payment method + +bisqEasy.openTrades.chat.peer.description=Chat peer +bisqEasy.openTrades.chat.detach=Detach +bisqEasy.openTrades.chat.detach.tooltip=Open chat in new window +bisqEasy.openTrades.chat.attach=Restore +bisqEasy.openTrades.chat.attach.tooltip=Restore chat back to main window +bisqEasy.openTrades.chat.window.title={0} - Chat with {1} / Trade ID: {2} +bisqEasy.openTrades.chat.peerLeft.headline={0} has left the trade +bisqEasy.openTrades.chat.peerLeft.subHeadline=If the trade is not completed on your side and if you need assistance, contact the mediator or visit the support chat. + +bisqEasy.openTrades.tradeDetails.open=Open trade details +bisqEasy.openTrades.tradeDetails.headline=Trade Details +bisqEasy.openTrades.tradeDetails.tradeDate=Trade date +bisqEasy.openTrades.tradeDetails.tradersAndRole=Traders / Role +bisqEasy.openTrades.tradeDetails.tradersAndRole.me=Me: +bisqEasy.openTrades.tradeDetails.tradersAndRole.peer=Peer: +bisqEasy.openTrades.tradeDetails.tradersAndRole.copy=Copy peer username +bisqEasy.openTrades.tradeDetails.offerTypeAndMarket=Offer type / Market +bisqEasy.openTrades.tradeDetails.offerTypeAndMarket.buyOffer=Buy offer +bisqEasy.openTrades.tradeDetails.offerTypeAndMarket.sellOffer=Sell offer +bisqEasy.openTrades.tradeDetails.offerTypeAndMarket.fiatMarket={0} market +bisqEasy.openTrades.tradeDetails.amountAndPrice=Amount @ Price +bisqEasy.openTrades.tradeDetails.paymentAndSettlementMethods=Payment methods +bisqEasy.openTrades.tradeDetails.tradeId=Trade ID +bisqEasy.openTrades.tradeDetails.tradeId.copy=Copy trade ID +bisqEasy.openTrades.tradeDetails.peerNetworkAddress=Peer network address +bisqEasy.openTrades.tradeDetails.peerNetworkAddress.copy=Copy peer network address +bisqEasy.openTrades.tradeDetails.btcPaymentAddress=BTC payment address +bisqEasy.openTrades.tradeDetails.lightningInvoice=Lighting invoice +bisqEasy.openTrades.tradeDetails.btcPaymentAddress.copy=Copy BTC payment address +bisqEasy.openTrades.tradeDetails.lightningInvoice.copy=Copy lighting invoice +bisqEasy.openTrades.tradeDetails.paymentAccountData=Payment account data +bisqEasy.openTrades.tradeDetails.paymentAccountData.copy=Copy payment account data +bisqEasy.openTrades.tradeDetails.assignedMediator=Assigned mediator +bisqEasy.openTrades.tradeDetails.dataNotYetProvided=Data not yet provided + + +###################################################### +# Private chat +###################################################### + +bisqEasy.privateChats.leave=Leave chat +bisqEasy.privateChats.table.myUser=My profile + + +###################################################### +# Top pane +###################################################### + +# Commented out in code +# suppress inspection "UnusedProperty" +bisqEasy.topPane.filter=Filter offerbook +# Commented out in code +# suppress inspection "UnusedProperty" +bisqEasy.topPane.closeFilter=Close filter + + +################################################################################ +# +# BisqEasyOfferDetails +# +################################################################################ + +bisqEasy.offerDetails.headline=Offer details +bisqEasy.offerDetails.buy=Offer for buying Bitcoin +bisqEasy.offerDetails.sell=Offer for selling Bitcoin + +bisqEasy.offerDetails.direction=Offer type +bisqEasy.offerDetails.baseSideAmount=Bitcoin amount +bisqEasy.offerDetails.quoteSideAmount={0} amount +bisqEasy.offerDetails.price={0} offer price +bisqEasy.offerDetails.priceValue={0} (premium: {1}) +bisqEasy.offerDetails.paymentMethods=Supported payment method(s) +bisqEasy.offerDetails.id=Offer ID +bisqEasy.offerDetails.date=Creation date +bisqEasy.offerDetails.makersTradeTerms=Makers trade terms + + +################################################################################ +# +# OpenTradesWelcome +# +################################################################################ + +bisqEasy.openTrades.welcome.headline=Welcome to your first Bisq Easy trade! +bisqEasy.openTrades.welcome.info=Please make yourself familiar with the concept, process and rules for trading on Bisq Easy.\n\ + After you have read and accepted the trade rules you can start the trade. +bisqEasy.openTrades.welcome.line1=Learn about the security model of Bisq easy +bisqEasy.openTrades.welcome.line2=See how the trade process works +bisqEasy.openTrades.welcome.line3=Make yourself familiar with the trade rules + + +################################################################################ +# +# TradeState +# +################################################################################ + +bisqEasy.tradeState.requestMediation=Request mediation +bisqEasy.tradeState.reportToMediator=Report to mediator +bisqEasy.tradeState.acceptOrRejectSellersPrice.title=Attention to Price Change! +bisqEasy.tradeState.acceptOrRejectSellersPrice.description.buyersPrice=Your offer price to buy Bitcoin was {0}. +bisqEasy.tradeState.acceptOrRejectSellersPrice.description.sellersPrice=However, the seller is offering you a different price: {0}. +bisqEasy.tradeState.acceptOrRejectSellersPrice.description.question=Do you want to accept this new price or do you want to reject/cancel* the trade? +bisqEasy.tradeState.acceptOrRejectSellersPrice.description.disclaimer=(*Note that in this specific case, cancelling the trade will NOT be considered a violation of the trading rules.) +bisqEasy.tradeState.acceptOrRejectSellersPrice.button.accept=Accept price + +# Trade State: Header +bisqEasy.tradeState.header.peer=Trade peer +bisqEasy.tradeState.header.direction=I want to +bisqEasy.tradeState.header.send=Amount to send +bisqEasy.tradeState.header.pay=Amount to pay +bisqEasy.tradeState.header.receive=Amount to receive +bisqEasy.tradeState.header.tradeId=Trade ID + +# Trade State: Phase (left side) +bisqEasy.tradeState.phase1=Account details +bisqEasy.tradeState.phase2=Fiat payment +bisqEasy.tradeState.phase3=Bitcoin transfer +bisqEasy.tradeState.phase4=Trade completed + +# Trade State: Info (right side) + +bisqEasy.tradeState.info.phase3b.balance.help.explorerLookup=Looking up transaction at block explorer ''{0}'' +bisqEasy.tradeState.info.phase3b.balance.help.notConfirmed=Transaction seen in mempool but not confirmed yet +bisqEasy.tradeState.info.phase3b.balance.help.confirmed=Transaction is confirmed +bisqEasy.tradeState.info.phase3b.txId.failed=Transaction lookup to ''{0}'' failed with {1}: ''{2}'' +bisqEasy.tradeState.info.phase3b.button.skip=Skip waiting for block confirmation + +bisqEasy.tradeState.info.phase3b.balance.invalid.noOutputsForAddress=No matching outputs found in transaction +bisqEasy.tradeState.info.phase3b.balance.invalid.multipleOutputsForAddress=Multiple matching outputs found in transaction +bisqEasy.tradeState.info.phase3b.balance.invalid.amountNotMatching=Output amount from transaction is not matching trade amount + +bisqEasy.tradeState.info.phase3b.button.next=Next +bisqEasy.tradeState.info.phase3b.button.next.amountNotMatching=The output amount for the address ''{0}'' in transaction ''{1}'' is ''{2}'', which does not match the trade amount of ''{3}''.\n\n\ + Have you been able to resolve this issue with your trade peer?\n\ + If not, you may consider requesting mediation to help settle the matter. +bisqEasy.tradeState.info.phase3b.button.next.noOutputForAddress=No output matching the address ''{0}'' in transaction ''{1}'' is found.\n\n\ + Have you been able to resolve this issue with your trade peer?\n\ + If not, you may consider requesting mediation to help settle the matter. + +bisqEasy.tradeState.info.phase3b.button.next.amountNotMatching.resolved=I have resolved it + +bisqEasy.tradeState.info.phase3b.txId=Transaction ID +bisqEasy.tradeState.info.phase3b.txId.tooltip=Open transaction in block explorer +bisqEasy.tradeState.info.phase3b.lightning.preimage=Preimage + +bisqEasy.tradeState.info.phase4.txId.tooltip=Open transaction in block explorer +bisqEasy.tradeState.info.phase4.exportTrade=Export trade data +bisqEasy.tradeState.info.phase4.leaveChannel=Close trade +#################################################################### +# Dynamically created from BitcoinPaymentRail enum name +#################################################################### +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.bitcoinPaymentData.MAIN_CHAIN=Bitcoin address +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.bitcoinPaymentData.LN=Lightning invoice +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.paymentProof.MAIN_CHAIN=Transaction ID +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.paymentProof.LN=Preimage + + +# Trade State Info: Buyer +#################################################################### +# Dynamically created from BitcoinPaymentRail enum name +#################################################################### +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.headline.MAIN_CHAIN=Fill in your Bitcoin address +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.description.MAIN_CHAIN=Bitcoin address +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.prompt.MAIN_CHAIN=Fill in your Bitcoin address +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.tradeLogMessage.MAIN_CHAIN={0} has sent the Bitcoin address ''{1}'' +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.headline.LN=Fill in your Lightning invoice +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.description.LN=Lightning invoice +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.prompt.LN=Fill in your Lightning invoice +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.tradeLogMessage.LN={0} has sent the Lightning invoice ''{1}'' + +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.walletHelp=If you have not set up a wallet yet, you can find help at the wallet guide +bisqEasy.tradeState.info.buyer.phase1a.walletHelpButton=Open wallet guide +bisqEasy.tradeState.info.buyer.phase1a.send=Send to seller +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.tooltip=Scan QR code using your webcam +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.description=Webcam connection state +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.connecting=Connecting to webcam... +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.imageRecognized=Webcam connected +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.failed=Connecting to webcam failed +bisqEasy.tradeState.info.buyer.phase1b.headline=Wait for the seller's payment account data +bisqEasy.tradeState.info.buyer.phase1b.info=You can use the chat below for getting in touch with the seller. + +bisqEasy.tradeState.info.buyer.phase2a.headline=Send {0} to the seller''s payment account +bisqEasy.tradeState.info.buyer.phase2a.quoteAmount=Amount to transfer +bisqEasy.tradeState.info.buyer.phase2a.sellersAccount=Payment account of seller +bisqEasy.tradeState.info.buyer.phase2a.reasonForPaymentInfo=Please leave the 'Reason for payment' field empty, in case you make a bank transfer +bisqEasy.tradeState.info.buyer.phase2a.confirmFiatSent=Confirm payment of {0} +bisqEasy.tradeState.info.buyer.phase2a.tradeLogMessage={0} initiated the {1} payment + +bisqEasy.tradeState.info.buyer.phase2b.headline=Wait for the seller to confirm receipt of payment +bisqEasy.tradeState.info.buyer.phase2b.info=Once the seller has received your payment of {0}, they will start the Bitcoin transfer to your provided {1}. + +bisqEasy.tradeState.info.buyer.phase3a.headline=Wait for the seller's Bitcoin settlement +bisqEasy.tradeState.info.buyer.phase3a.info=The seller need to start the Bitcoin transfer to your provided {0}. +bisqEasy.tradeState.info.buyer.phase3b.headline.ln=The seller has sent the Bitcoin via Lightning network +bisqEasy.tradeState.info.buyer.phase3b.info.ln=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.tradeState.info.buyer.phase3b.confirmButton.ln=Confirm receipt +bisqEasy.tradeState.info.buyer.phase3b.tradeLogMessage.ln={0} has confirmed to have received the Bitcoin payment +bisqEasy.tradeState.info.buyer.phase3b.headline.MAIN_CHAIN=The seller has started the Bitcoin payment +bisqEasy.tradeState.info.buyer.phase3b.info.MAIN_CHAIN=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.tradeState.info.buyer.phase3b.balance=Received Bitcoin +bisqEasy.tradeState.info.buyer.phase3b.balance.prompt=Waiting for blockchain data... + +# Trade State Info: Seller +bisqEasy.tradeState.info.seller.phase1.headline=Send your payment account data to the buyer +bisqEasy.tradeState.info.seller.phase1.accountData=My payment account data +bisqEasy.tradeState.info.seller.phase1.accountData.prompt=Fill in your payment account data. E.g. IBAN, BIC and account owner name +bisqEasy.tradeState.info.seller.phase1.buttonText=Send account data +bisqEasy.tradeState.info.seller.phase1.note=Note: You can use the chat below for getting in touch with the buyer before revealing your account data. +bisqEasy.tradeState.info.seller.phase1.tradeLogMessage={0} has sent the payment account data:\n{1} + +bisqEasy.tradeState.info.seller.phase2a.waitForPayment.headline=Wait for the buyer''s {0} payment +bisqEasy.tradeState.info.seller.phase2a.waitForPayment.info=Once the buyer has initiated the payment of {0}, you will get notified. + +bisqEasy.tradeState.info.seller.phase2b.headline=Check if you have received {0} +bisqEasy.tradeState.info.seller.phase2b.info=Visit your bank account or payment provider app to confirm receipt of the buyer's payment. + +bisqEasy.tradeState.info.seller.phase2b.fiatReceivedButton=Confirm receipt of {0} +bisqEasy.tradeState.info.seller.phase2b.tradeLogMessage={0} has confirmed the receipt of {1} + +bisqEasy.tradeState.info.seller.phase3a.fiatPaymentReceivedCheckBox=I confirmed to have received {0} +bisqEasy.tradeState.info.seller.phase3a.sendBtc=Send {0} to the buyer +bisqEasy.tradeState.info.seller.phase3a.baseAmount=Amount to send +bisqEasy.tradeState.info.seller.phase3a.qrCodeDisplay.openWindow=Open larger display +bisqEasy.tradeState.info.seller.phase3a.qrCodeDisplay.window.title=Scan QR Code for trade ''{0}'' +bisqEasy.tradeState.info.seller.phase3b.headline.MAIN_CHAIN=Waiting for blockchain confirmation +bisqEasy.tradeState.info.seller.phase3b.info.MAIN_CHAIN=The Bitcoin payment require at least 1 blockchain confirmation to be considered complete. +bisqEasy.tradeState.info.seller.phase3b.balance=Bitcoin payment +bisqEasy.tradeState.info.seller.phase3b.balance.prompt=Waiting for blockchain data... + +#################################################################### +# Dynamically created from BitcoinPaymentRail enum name +#################################################################### +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.bitcoinPayment.description.MAIN_CHAIN=Bitcoin address +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.description.MAIN_CHAIN=Transaction ID +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.prompt.MAIN_CHAIN=Fill in the Bitcoin transaction ID +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.paymentProof.MAIN_CHAIN=Transaction ID +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.bitcoinPayment.description.LN=Lightning invoice +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.description.LN=Preimage (optional) +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.prompt.LN=Fill in the preimage if available +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.paymentProof.LN=Preimage + +bisqEasy.tradeState.info.seller.phase3a.btcSentButton=I confirm to have sent {0} +bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage={0} initiated the Bitcoin transfer. {1}: ''{2}'' +bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.noProofProvided={0} initiated the Bitcoin transfer. + +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.MAIN_CHAIN=The Transaction ID that you have entered appears to be invalid.\n\n\ + If you are sure the Transaction ID is valid you can ignore this warning and proceed. +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.LN=The preimage that you have entered appears to be invalid.\n\n\ + If you are sure the preimage is valid you can ignore this warning and proceed. +bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.proceed=Ignore warning + +bisqEasy.tradeState.info.seller.phase3b.headline.ln=Wait for buyer confirming Bitcoin receipt +bisqEasy.tradeState.info.seller.phase3b.info.ln=Transfers via the Lightning Network are usually near-instant and reliable. \ + However, in some cases, payments may fail and need to be repeated.\n\n\ + To 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.tradeState.info.seller.phase3b.confirmButton.ln=Complete trade + + +###################################################### +# Trade Completed Table +##################################################### + +bisqEasy.tradeCompleted.title=Trade was successfully completed +bisqEasy.tradeCompleted.tableTitle=Summary +bisqEasy.tradeCompleted.header.tradeWith=Trade with +bisqEasy.tradeCompleted.header.myDirection.seller=I sold +bisqEasy.tradeCompleted.header.myDirection.buyer=I bought +bisqEasy.tradeCompleted.header.myDirection.btc=btc +bisqEasy.tradeCompleted.header.myOutcome.seller=I received +bisqEasy.tradeCompleted.header.myOutcome.buyer=I paid +bisqEasy.tradeCompleted.header.paymentMethod=Payment method +bisqEasy.tradeCompleted.header.tradeId=Trade ID +bisqEasy.tradeCompleted.body.date=Date +bisqEasy.tradeCompleted.body.tradePrice=Trade price +bisqEasy.tradeCompleted.body.tradeFee=Trade fee +bisqEasy.tradeCompleted.body.tradeFee.value=No trade fees in Bisq Easy +bisqEasy.tradeCompleted.body.copy.txId.tooltip=Copy transaction ID to clipboard +bisqEasy.tradeCompleted.body.copy.explorerLink.tooltip=Copy block explorer transaction link +bisqEasy.tradeCompleted.body.txId.tooltip=Open block explorer transaction + + +################################################################################ +# +# Mediation +# +################################################################################ + +bisqEasy.mediation.request.confirm.headline=Request mediation +bisqEasy.mediation.request.confirm.msg=If you have problems which you cannot resolve with your trade partner you can request assistance from a mediator.\n\n\ + Please do not request mediation for general questions. In the support section there are chat rooms where you can get general advice and help. +bisqEasy.mediation.request.confirm.openMediation=Open mediation +bisqEasy.mediation.request.feedback.headline=Mediation requested +bisqEasy.mediation.request.feedback.msg=A request to the registered mediators has been sent.\n\n\ + Please have patience until a mediator is online to join the trade chat and help to resolve any problems. +bisqEasy.mediation.request.feedback.noMediatorAvailable=There is no mediator available. Please use the support chat instead. +bisqEasy.mediation.requester.tradeLogMessage={0} requested mediation diff --git a/shared/domain/src/commonMain/resources/mobile/bisq_easy_af_ZA.properties b/shared/domain/src/commonMain/resources/mobile/bisq_easy_af_ZA.properties new file mode 100644 index 00000000..7d32718d --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/bisq_easy_af_ZA.properties @@ -0,0 +1,804 @@ +#################################################################### +# +# Chat module +# +#################################################################### + +bisqEasy.offerBookChannel.description=Markkanaal vir handel {0} +bisqEasy.mediator=Bemiddelaar + + +#################################################################### +# +# Desktop module +# +#################################################################### + + +###################################################### +# Bisq Easy +###################################################### + +bisqEasy.dashboard=Aan die gang kom +bisqEasy.offerbook=Aanbodboek +bisqEasy.openTrades=My oop transaksies + + +###################################################### +# Bisq Easy dashboard +###################################################### + +bisqEasy.onboarding.top.headline=Bisq Easy in 3 minute +bisqEasy.onboarding.top.content1=Kry 'n vinnige inleiding tot Bisq Easy +bisqEasy.onboarding.top.content2=Sien hoe die handel proses werk +bisqEasy.onboarding.top.content3=Leer meer oor die eenvoudige handel reëls +bisqEasy.onboarding.openTradeGuide=Lees die handel gids +bisqEasy.onboarding.watchVideo=Kyk video +bisqEasy.onboarding.watchVideo.tooltip=Kyk na die ingebedde inleiding video + +bisqEasy.onboarding.left.headline=Beste vir beginners +bisqEasy.onboarding.left.info=Die handel-wizard lei jou deur jou eerste Bitcoin handel. Die Bitcoin verkopers sal jou help as jy enige vrae het. +bisqEasy.onboarding.left.button=Begin handel towenaar + +bisqEasy.onboarding.right.headline=Vir ervare handelaars +bisqEasy.onboarding.right.info=Blaai deur die aanbodboek vir die beste aanbiedinge of skep jou eie aanbod. +bisqEasy.onboarding.right.button=Open aanbodboek + + +################################################################################ +# +# Create offer +# +################################################################################ + +bisqEasy.tradeWizard.progress.directionAndMarket=Aanbod tipe +bisqEasy.tradeWizard.progress.price=Prys +bisqEasy.tradeWizard.progress.amount=Bedrag +bisqEasy.tradeWizard.progress.paymentMethods=Betalingmetodes +bisqEasy.tradeWizard.progress.takeOffer=Kies aanbod +bisqEasy.tradeWizard.progress.review=Hersien + + +################################################################################ +# Create offer / Direction +################################################################################ + +bisqEasy.tradeWizard.directionAndMarket.headline=Wil jy Bitcoin koop of verkoop met +bisqEasy.tradeWizard.directionAndMarket.buy=Koop Bitcoin +bisqEasy.tradeWizard.directionAndMarket.sell=Verkoop Bitcoin +bisqEasy.tradeWizard.directionAndMarket.feedback.headline=Hoe om reputasie op te bou? +bisqEasy.tradeWizard.directionAndMarket.feedback.subTitle1=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.gainReputation=Leer hoe om reputasie op te bou +bisqEasy.tradeWizard.directionAndMarket.feedback.subTitle2=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.directionAndMarket.feedback.tradeWithoutReputation=Gaan voort sonder reputasie +bisqEasy.tradeWizard.directionAndMarket.feedback.backToBuy=Terug + + +################################################################################ +# Create offer / Market +################################################################################ + +bisqEasy.tradeWizard.market.headline.buyer=In watter geldeenheid wil jy betaal? +bisqEasy.tradeWizard.market.headline.seller=In watter geldeenheid wil jy betaal word? +bisqEasy.tradeWizard.market.subTitle=Kies jou handel geldeenheid +bisqEasy.tradeWizard.market.columns.name=Fiat geldeenheid +bisqEasy.tradeWizard.market.columns.numOffers=Aantal aanbiedinge +bisqEasy.tradeWizard.market.columns.numPeers=Aanlyn vennote + + +################################################################################ +# Create offer / Price +################################################################################ + +bisqEasy.price.headline=Wat is jou handel prys? +bisqEasy.tradeWizard.price.subtitle=This can be defined as a percentage price which floats with the market price or fixed price. +bisqEasy.price.percentage.title=Persentasieprys +bisqEasy.price.percentage.inputBoxText=Marktprys persentasie tussen -10% en 50% +bisqEasy.price.tradePrice.title=Vaste prys +bisqEasy.price.tradePrice.inputBoxText=Handel prys in {0} +bisqEasy.price.feedback.sentence=Jou aanbod het {0} kanse om teen hierdie prys aanvaar te word. +bisqEasy.price.feedback.sentence.veryLow=baie laag +bisqEasy.price.feedback.sentence.low=laag +bisqEasy.price.feedback.sentence.some=sommige +bisqEasy.price.feedback.sentence.good=goed +bisqEasy.price.feedback.sentence.veryGood=baie goed +bisqEasy.price.feedback.learnWhySection.openButton=Waarom? +bisqEasy.price.feedback.learnWhySection.closeButton=Terug na Handelprys +bisqEasy.price.feedback.learnWhySection.title=Waarom moet ek 'n hoër prys aan die verkoper betaal? +bisqEasy.price.feedback.learnWhySection.description.intro=Die rede daarvoor is dat die verkoper ekstra uitgawes moet dek en die verkoper se diens moet vergoed, spesifiek: +bisqEasy.price.feedback.learnWhySection.description.exposition=- 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.price.warn.invalidPrice.outOfRange=Die prys wat jy ingevoer het, is buite die toegelate reeks van -10% tot 50%. +bisqEasy.price.warn.invalidPrice.numberFormatException=Die prys wat u ingevoer het, is nie 'n geldige nommer nie. +bisqEasy.price.warn.invalidPrice.exception=Die prys wat u ingevoer het, is ongeldig.\n\nFoutboodskap: {0} + + +################################################################################ +# Create offer / Amount +################################################################################ + +bisqEasy.tradeWizard.amount.headline.buyer=Hoeveel wil jy spandeer? +bisqEasy.tradeWizard.amount.headline.seller=Hoeveel wil jy ontvang? +bisqEasy.tradeWizard.amount.description.minAmount=Stel die minimum waarde vir die bedrag reeks in +bisqEasy.tradeWizard.amount.description.maxAmount=Stel die maksimum waarde vir die bedrag reeks in +bisqEasy.tradeWizard.amount.description.fixAmount=Stel die bedrag in wat jy wil handel +bisqEasy.tradeWizard.amount.addMinAmountOption=Voeg min/max reeks vir bedrag by +bisqEasy.tradeWizard.amount.removeMinAmountOption=Gebruik vaste waarde bedrag +bisqEasy.component.amount.minRangeValue=Min {0} +bisqEasy.component.amount.maxRangeValue=Max {0} +bisqEasy.component.amount.baseSide.tooltip.btcAmount.marketPrice=Dit is die Bitcoin bedrag met die huidige markprys. +bisqEasy.component.amount.baseSide.tooltip.btcAmount.selectedPrice=Dit is die Bitcoin bedrag met jou geselekteerde prys. +bisqEasy.component.amount.baseSide.tooltip.buyerInfo=Verkopers mag 'n hoër prys vra aangesien hulle koste het om reputasie te verkry.\n5-15% pryspremie is algemeen. +bisqEasy.component.amount.baseSide.tooltip.bestOfferPrice=Dit is die Bitcoin bedrag met die beste prys\nuit ooreenstemmende aanbiedinge: {0} +bisqEasy.component.amount.baseSide.tooltip.buyer.btcAmount=Dit is die Bitcoin hoeveelheid om te ontvang +bisqEasy.component.amount.baseSide.tooltip.seller.btcAmount=Dit is die Bitcoin bedrag om te spandeer +bisqEasy.component.amount.baseSide.tooltip.taker.offerPrice=met die aanbodprys: {0} + + +bisqEasy.tradeWizard.amount.limitInfo.overlay.headline=Reputasie-gebaseerde handelbedrag limiete +bisqEasy.tradeWizard.amount.limitInfo.overlay.close=Sluit oortjie + +bisqEasy.tradeWizard.amount.seller.wizard.numMatchingOffers.info=Daar is {0} wat ooreenstem met die gekose handelbedrag. +bisqEasy.tradeWizard.amount.seller.wizard.limitInfo=Met jou reputasie-telling van {0} kan jy tot handel. +bisqEasy.tradeWizard.amount.seller.wizard.limitInfo.overlay.info=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.tradeWizard.amount.seller.limitInfo.scoreTooLow=Met jou reputasie-telling van {0} mag jou handelsbedrag nie oorskry nie +bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.scoreTooLow=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.takeOffer.amount.seller.limitInfo.lowToleratedAmount=Aangesien die handelsbedrag onder {0} is, word reputasievereistes verslap. +bisqEasy.takeOffer.amount.seller.limitInfo.scoreTooLow=Aangesien jou reputasie-telling slegs {0} is, is jou handelbedrag beperk tot +bisqEasy.takeOffer.amount.seller.limitInfo.overlay.info.scoreTooLow=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.tradeWizard.amount.seller.limitInfo.sufficientScore=Jou reputasie-telling van {0} bied sekuriteit vir aanbiedinge tot +bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.sufficientScore=Met 'n reputasie-telling van {0}, bied jy sekuriteit vir transaksies tot {1}. + +bisqEasy.tradeWizard.amount.seller.limitInfo.inSufficientScore=Die sekuriteit wat deur jou reputasie-telling van {0} verskaf word, is onvoldoende vir aanbiedings oor +bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.inSufficientScore=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.amount.seller.limitInfoAmount=__PLAASHOUER_196cff21-f00a-4145-a9ed-60b1785dd545__. +bisqEasy.tradeWizard.amount.seller.limitInfo.link=Leer meer + + +bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.linkToWikiText=Vir meer besonderhede oor die reputasiestelsel, besoek die Bisq Wiki by: + +bisqEasy.tradeWizard.amount.seller.limitInfo.noReputationNeededForMaxOrFixedAmount=Vir bedrae tot {0} is geen reputasie nodig nie. +bisqEasy.tradeWizard.amount.seller.limitInfo.noReputationNeededForMaxOrFixedAmount.overlay.info.scoreTooLow=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.tradeWizard.amount.buyer.limitInfo.learnMore=Leer meer + +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.buyer.numSellers.0=is geen verkoper +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.buyer.numSellers.1=is een verkoper +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.buyer.numSellers.*=is {0} verkopers + +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.numOffers.0=is geen aanbod +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.numOffers.1=is een aanbod +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.numOffers.*=is {0} aanbiedinge + +bisqEasy.tradeWizard.amount.buyer.limitInfo=Daar is {0} in die netwerk met voldoende reputasie om 'n aanbod van {1} te aanvaar. +bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.info='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.tradeWizard.amount.buyer.limitInfo.wizard.info.leadLine=Daar is {0} wat ooreenstem met die gekose handelbedrag. +bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.info=Vir aanbiedinge tot {0} is reputasie vereistes verslap. +bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.overlay.info=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.amount.buyer.limitInfo.noReputationNeededForMaxOrFixedAmount=Verkopers sonder reputasie kan aanbiedings tot {0} aanvaar. +bisqEasy.tradeWizard.amount.buyer.limitInfo.noReputationNeededForMaxOrFixedAmount.riskInfo=Wees seker dat jy die risiko's ten volle verstaan. +bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.noReputationNeededForMaxOrFixedAmount.info=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.tradeWizard.amount.buyer.limitInfo.overlay.linkToWikiText=Leer meer oor die reputasie stelsel, besoek: + + +bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo.leadLine=Aangesien jou min. bedrag onder {0} is, kan verkopers sonder reputasie jou aanbod aanvaar. +bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo=Vir die maks. bedrag van {0} is daar {1} met genoeg reputasie om jou aanbod te aanvaar. +bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo.overlay.info=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. + + +################################################################################ +# Create offer / Payment methods +################################################################################ + +bisqEasy.tradeWizard.paymentMethods.headline=Watter betaling- en skikkingsmetodes wil jy gebruik? +bisqEasy.tradeWizard.paymentMethods.fiat.subTitle.buyer=Kies die betalingmetodes om {0} oor te dra +bisqEasy.tradeWizard.paymentMethods.fiat.subTitle.seller=Kies die betalingmetodes om {0} te ontvang +bisqEasy.tradeWizard.paymentMethods.bitcoin.subTitle.buyer=Kies die vereffeningmetodes om Bitcoin te ontvang +bisqEasy.tradeWizard.paymentMethods.bitcoin.subTitle.seller=Kies die skikkingsmetodes om Bitcoin te stuur +bisqEasy.tradeWizard.paymentMethods.noneFound=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.paymentMethods.customMethod.prompt=Pasgemaakte betaling +bisqEasy.tradeWizard.paymentMethods.warn.maxMethodsReached=Jy kan nie meer as 4 betalingmetodes byvoeg nie. +bisqEasy.tradeWizard.paymentMethods.warn.tooLong='n Aangepaste betalingmetode naam mag nie langer wees as 20 karakters nie. +bisqEasy.tradeWizard.paymentMethods.warn.customPaymentMethodAlreadyExists='n Aangepaste betalingmetode met die naam {0} bestaan reeds. +bisqEasy.tradeWizard.paymentMethods.warn.customNameMatchesPredefinedMethod=Die naam van jou persoonlike betalingmetode mag nie dieselfde wees as een van die vooraf gedefinieerde nie. +bisqEasy.tradeWizard.paymentMethods.warn.noFiatPaymentMethodSelected=Groot asseblief ten minste een fiat betalingmetode. +bisqEasy.tradeWizard.paymentMethods.warn.noBtcSettlementMethodSelected=Groot asseblief ten minste een Bitcoin-settlementmetode. + + +################################################################################ +# TradeWizard / Select offer +################################################################################ + +bisqEasy.tradeWizard.selectOffer.headline.buyer=Koop Bitcoin vir {0} +bisqEasy.tradeWizard.selectOffer.headline.seller=Verkoop Bitcoin vir {0} +bisqEasy.tradeWizard.selectOffer.subHeadline=Dit word aanbeveel om met gebruikers met 'n hoë reputasie te handel. +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.headline=Geen ooreenstemmende aanbiedinge gevind +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.subHeadline=Daar is geen aanbiedinge beskikbaar vir jou seleksiekriteria nie. +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.goBack=Verander seleksie +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.goBack.info=Gaan terug na die vorige skerms en verander die keuse +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.browseOfferbook=Besoek aanbodboek +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.browseOfferbook.info=Sluit die handel-wizard en blaai deur die aanbodboek + + +################################################################################ +# TradeWizard / Review +################################################################################ + +bisqEasy.tradeWizard.review.headline.maker=Herbeoordeling aanbod +bisqEasy.tradeWizard.review.headline.taker=Herbeoordeel handel +bisqEasy.tradeWizard.review.detailsHeadline.taker=Handel besonderhede +bisqEasy.tradeWizard.review.detailsHeadline.maker=Aanbod besonderhede +bisqEasy.tradeWizard.review.feeDescription=Fooi +bisqEasy.tradeWizard.review.noTradeFees=Geen handelsfooie in Bisq Easy +bisqEasy.tradeWizard.review.sellerPaysMinerFeeLong=Die verkoper betaal die mynboufooi +bisqEasy.tradeWizard.review.sellerPaysMinerFee=Verkoper betaal die mynboufooi +bisqEasy.tradeWizard.review.noTradeFeesLong=Daar is geen handelsfooie in Bisq Easy + +bisqEasy.tradeWizard.review.toPay=Bedrag om te betaal +bisqEasy.tradeWizard.review.toSend=Bedrag om te stuur +bisqEasy.tradeWizard.review.toReceive=Bedrag om te ontvang +bisqEasy.tradeWizard.review.direction={0} Bitcoin +bisqEasy.tradeWizard.review.paymentMethodDescription.btc=Bitcoin betalingsmetode +bisqEasy.tradeWizard.review.paymentMethodDescriptions.btc.maker=Bitcoin vereffeningsmetodes +bisqEasy.tradeWizard.review.paymentMethodDescriptions.btc.taker=Kies Bitcoin vereffeningsmetode +bisqEasy.tradeWizard.review.paymentMethodDescription.fiat=Fiat-betalingsmetode +bisqEasy.tradeWizard.review.paymentMethodDescriptions.fiat.maker=Fiat-betalingsmetodes +bisqEasy.tradeWizard.review.paymentMethodDescriptions.fiat.taker=Kies fiat betalingmetode +bisqEasy.tradeWizard.review.price={0} <{1} style=Handel-wizard-review-code> + +bisqEasy.tradeWizard.review.priceDescription.taker=Handel prys +bisqEasy.tradeWizard.review.priceDescription.maker=Aanbodprys +bisqEasy.tradeWizard.review.priceDetails.fix=Fix prys. {0} {1} markprys van {2} +bisqEasy.tradeWizard.review.priceDetails.fix.atMarket=Fix prys. Dieselfde as markprys van {0} +bisqEasy.tradeWizard.review.priceDetails.float=Vaarprys. {0} {1} marktplaatsprys van {2} +bisqEasy.tradeWizard.review.priceDetails=Floteer saam met die markprys +bisqEasy.tradeWizard.review.nextButton.createOffer=Skep aanbod +bisqEasy.tradeWizard.review.nextButton.takeOffer=Bevestig handel + +bisqEasy.tradeWizard.review.createOfferSuccess.headline=Aanbod suksesvol gepubliseer +bisqEasy.tradeWizard.review.createOfferSuccess.subTitle=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.tradeWizard.review.createOfferSuccessButton=Wys my aanbod in 'Aanbodboek' + +bisqEasy.tradeWizard.review.takeOfferSuccess.headline=U het die aanbod suksesvol aanvaar +bisqEasy.tradeWizard.review.takeOfferSuccess.subTitle=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.tradeWizard.review.takeOfferSuccessButton=Wys handel in 'My oop transaksies' + + +################################################################################ +# Create offer / Review +################################################################################# + +bisqEasy.tradeWizard.review.table.baseAmount.buyer=Jy ontvang +bisqEasy.tradeWizard.review.table.baseAmount.seller=Jy spandeer +bisqEasy.tradeWizard.review.table.price=Prys in {0} +bisqEasy.tradeWizard.review.table.reputation=Reputasie +bisqEasy.tradeWizard.review.chatMessage.fixPrice={0} +bisqEasy.tradeWizard.review.chatMessage.floatPrice.above={0} bo die markprys +bisqEasy.tradeWizard.review.chatMessage.floatPrice.below={0} onder markprys +bisqEasy.tradeWizard.review.chatMessage.marketPrice=Markprys +bisqEasy.tradeWizard.review.chatMessage.price=Prys: +bisqEasy.tradeWizard.review.chatMessage.peerMessage.sell=Verkoop Bitcoin aan {0}\nBedrag: {1}\nBitcoin vereffeningsmetode(s): {2}\nFiat betalingsmetode(s): {3}\n{4} +bisqEasy.tradeWizard.review.chatMessage.peerMessage.buy=Koop Bitcoin van {0}\nBedrag: {1}\nBitcoin vereffening metode(s): {2}\nFiat betalingsmetode(s): {3}\n{4} +bisqEasy.tradeWizard.review.chatMessage.offerDetails=Bedrag: {0}\nBitcoin vereffeningsmetode(s): {1}\nFiat betalingsmetode(s): {2}\n{3} +bisqEasy.tradeWizard.review.chatMessage.peerMessageTitle.sell=Verkoop Bitcoin aan +bisqEasy.tradeWizard.review.chatMessage.peerMessageTitle.buy=Koop Bitcoin van +bisqEasy.tradeWizard.review.chatMessage.myMessageTitle=My Aanbod aan {0} Bitcoin + + +################################################################################ +# +# Take offer +# +################################################################################ + +bisqEasy.takeOffer.progress.amount=Handel bedrag +bisqEasy.takeOffer.progress.method=Betalingmetode +bisqEasy.takeOffer.progress.review=Herbeoordeling handel + +bisqEasy.takeOffer.amount.headline.buyer=Hoeveel wil jy spandeer? +bisqEasy.takeOffer.amount.headline.seller=Hoeveel wil jy handel? +bisqEasy.takeOffer.amount.description=Die aanbod laat jou toe om 'n handel bedrag te kies\ntussen {0} en {1} +bisqEasy.takeOffer.amount.description.limitedByTakersReputation=Jou reputasie-telling van {0} laat jou toe om 'n handelsbedrag te kies\ntussen {1} en {2} + +bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMax=Die verkoper se reputasie-telling is slegs {0}. Dit word nie aanbeveel om meer as te handel nie +bisqEasy.takeOffer.amount.buyer.limitInfoAmount=__PLAASHOUER_04de53fa-ae0d-42dd-a802-bd86d1809c51__. +bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMax.overlay.info=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.takeOffer.amount.buyer.limitInfo.minAmountCovered=Verkopers reputasie-telling van {0} bied sekuriteit tot +bisqEasy.takeOffer.amount.buyer.limitInfo.minAmountCovered.overlay.info=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.takeOffer.amount.buyer.limitInfo.minAmountNotCovered=Die verkoper se reputasie-telling van {0} bied nie voldoende sekuriteit vir daardie aanbod nie. +bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMin.overlay.info=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.takeOffer.amount.buyer.limitInfo.learnMore=Leer meer +bisqEasy.takeOffer.amount.buyer.limitInfo.overlay.linkToWikiText=Leer meer oor die reputasiesisteem, besoek: + +bisqEasy.takeOffer.paymentMethods.headline.fiat=Watter betalingmetode wil jy gebruik? +bisqEasy.takeOffer.paymentMethods.headline.fiatAndBitcoin=Watter betaling- en skikkingsmetode wil jy gebruik? +bisqEasy.takeOffer.paymentMethods.headline.bitcoin=Watter vereffeningsmetode wil jy gebruik? +bisqEasy.takeOffer.paymentMethods.subtitle.fiat.buyer=Kies 'n betalingsmetode om {0} oor te dra +bisqEasy.takeOffer.paymentMethods.subtitle.fiat.seller=Kies 'n betalingmetode om {0} te ontvang +bisqEasy.takeOffer.paymentMethods.subtitle.bitcoin.buyer=Kies 'n vereffeningsmetode om Bitcoin te ontvang +bisqEasy.takeOffer.paymentMethods.subtitle.bitcoin.seller=Kies 'n vereffeningmetode om Bitcoin te stuur + +bisqEasy.takeOffer.review.headline=Herbeoordeel handel +bisqEasy.takeOffer.review.detailsHeadline=Handeldetails +bisqEasy.takeOffer.review.method.fiat=Fiat betalingmetode +bisqEasy.takeOffer.review.method.bitcoin=Bitcoin betalingsmetode +bisqEasy.takeOffer.review.price.price=Handel prys +bisqEasy.takeOffer.review.noTradeFees=Geen handelsfooie in Bisq Easy +bisqEasy.takeOffer.review.sellerPaysMinerFeeLong=Die verkoper betaal die mynboufooi +bisqEasy.takeOffer.review.sellerPaysMinerFee=Verkoper betaal die mynboufooi +bisqEasy.takeOffer.review.noTradeFeesLong=Daar is geen handelsfooie in Bisq Easy +bisqEasy.takeOffer.review.takeOffer=Bevestig om aanbod te neem +bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.headline=Stuur take-aanbod boodskap +bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.subTitle=Die stuur van die neem-aanbod boodskap kan tot 2 minute neem +bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.info=Moet nie die venster of die toepassing sluit nie totdat jy die bevestiging sien dat die neem-aanbod versoek suksesvol gestuur is. +bisqEasy.takeOffer.review.takeOfferSuccess.headline=Jy het die aanbod suksesvol aanvaar +bisqEasy.takeOffer.review.takeOfferSuccess.subTitle=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.takeOffer.review.takeOfferSuccessButton=Wys handel in 'My oop transaksies' +bisqEasy.takeOffer.tradeLogMessage={0} het 'n boodskap gestuur om {1} se aanbod te neem + +bisqEasy.takeOffer.noMediatorAvailable.warning=Daar is geen bemiddelaar beskikbaar nie. U moet die ondersteuningsgesels gebruik in plaas daarvan. +bisqEasy.takeOffer.makerBanned.warning=Die maker van hierdie aanbod is verbied. Probeer asseblief om 'n ander aanbod te gebruik. +# suppress inspection "UnusedProperty" +bisqEasy.takeOffer.bitcoinPaymentData.warning.MAIN_CHAIN=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. +# suppress inspection "UnusedProperty" +bisqEasy.takeOffer.bitcoinPaymentData.warning.LN=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.takeOffer.bitcoinPaymentData.warning.proceed=Ignore waarskuwing + + +################################################################################ +# +# TradeGuide +# +################################################################################ + +bisqEasy.tradeGuide.tabs.headline=Handel gids +bisqEasy.tradeGuide.welcome=Oorsig +bisqEasy.tradeGuide.security=Sekuriteit +bisqEasy.tradeGuide.process=Proses +bisqEasy.tradeGuide.rules=Handel reëls + +bisqEasy.tradeGuide.welcome.headline=Hoe om op Bisq Easy te handel +bisqEasy.tradeGuide.welcome.content=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.tradeGuide.security.headline=Hoe veilig is dit om te handel op Bisq Easy? +bisqEasy.tradeGuide.security.content=- 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.tradeGuide.process.headline=Hoe werk die handel proses? +bisqEasy.tradeGuide.process.content=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.tradeGuide.process.steps=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.tradeGuide.rules.headline=Wat moet ek weet oor die handel reëls? +bisqEasy.tradeGuide.rules.content=- 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.tradeGuide.rules.confirm=Ek het gelees en verstaan + +bisqEasy.tradeGuide.notConfirmed.warn=Asseblief lees die handel gids en bevestig dat u die handel reëls gelees en verstaan het. +bisqEasy.tradeGuide.open=Open handel gids + + +################################################################################ +# WalletGuide +################################################################################ + +bisqEasy.walletGuide.open=Open beursie gids + +bisqEasy.walletGuide.tabs.headline=Beursie gids +bisqEasy.walletGuide.intro=Inleiding +bisqEasy.walletGuide.download=Aflaai +bisqEasy.walletGuide.createWallet=Nuwe beursie +bisqEasy.walletGuide.receive=Ontvang + +bisqEasy.walletGuide.intro.headline=Maak gereed om jou eerste Bitcoin te ontvang +bisqEasy.walletGuide.intro.content=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.walletGuide.download.headline=Aflaai jou beursie +bisqEasy.walletGuide.download.content=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.walletGuide.download.link=Klik hier om Bluewallet se bladsy te besoek + +bisqEasy.walletGuide.createWallet.headline=Skep jou nuwe beursie +bisqEasy.walletGuide.createWallet.content=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.walletGuide.receive.headline=Ontvang Bitcoin in jou beursie +bisqEasy.walletGuide.receive.content=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.walletGuide.receive.link1=Blou beursie tutoriaal deur Anita Posch +bisqEasy.walletGuide.receive.link2=Blou beursie tutoriaal deur BTC Sessies + + +###################################################### +# Offerbook +###################################################### + +bisqEasy.offerbook.markets=Markte +bisqEasy.offerbook.markets.CollapsedList.Tooltip=Brei Markte uit +bisqEasy.offerbook.markets.ExpandedList.Tooltip=Krimp Markte +bisqEasy.offerbook.marketListCell.numOffers.one={0} aanbod +bisqEasy.offerbook.marketListCell.numOffers.many={0} aanbiedinge +bisqEasy.offerbook.marketListCell.numOffers.tooltip.none=Geen aanbiedinge nog beskikbaar in die {0} mark +bisqEasy.offerbook.marketListCell.numOffers.tooltip.one={0} aanbod is beskikbaar in die {1} mark +bisqEasy.offerbook.marketListCell.numOffers.tooltip.many={0} aanbiedinge is beskikbaar in die {1} mark +bisqEasy.offerbook.marketListCell.favourites.tooltip.addToFavourites=Voeg by gunstelinge +bisqEasy.offerbook.marketListCell.favourites.tooltip.removeFromFavourites=Verwyder uit gunstelinge +bisqEasy.offerbook.marketListCell.favourites.maxReached.popup=Daar is net plek vir 5 gunstelinge. Verwyder 'n gunsteling en probeer weer. + +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.tooltip=Sorteer en filtreer markte +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.sortTitle=Sorteer op: +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.mostOffers=Meeste aanbiedinge +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.nameAZ=Naam A-Z +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.nameZA=Naam Z-A +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.filterTitle=Wys markte: +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.withOffers=Met aanbiedinge +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.favourites=Slegs gunstelinge +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.all=Alles + +bisqEasy.offerbook.chatMessage.deleteOffer.confirmation=Is jy seker jy wil hierdie aanbod verwyder? +bisqEasy.offerbook.chatMessage.deleteMessage.confirmation=Is jy seker jy wil hierdie boodskap verwyder? + +bisqEasy.offerbook.offerList=Aanbodlys +bisqEasy.offerbook.offerList.collapsedList.tooltip=Brei Aanbodlys uit +bisqEasy.offerbook.offerList.expandedList.tooltip=Wys/versteek Aanbodlys +bisqEasy.offerbook.offerList.table.columns.peerProfile=Peer-profiel +bisqEasy.offerbook.offerList.table.columns.price=Prys +bisqEasy.offerbook.offerList.table.columns.fiatAmount={0} bedrag +bisqEasy.offerbook.offerList.table.columns.paymentMethod=Betaling +bisqEasy.offerbook.offerList.table.columns.settlementMethod=Nederlaag +bisqEasy.offerbook.offerList.table.filters.offerDirection.buyFrom=Koop van +bisqEasy.offerbook.offerList.table.filters.offerDirection.sellTo=Verkoop aan +bisqEasy.offerbook.offerList.table.filters.paymentMethods.title=Betalings ({0}) +bisqEasy.offerbook.offerList.table.filters.paymentMethods.title.all=Alles +bisqEasy.offerbook.offerList.table.filters.paymentMethods.customPayments=Pasgemaakte betalings +bisqEasy.offerbook.offerList.table.filters.paymentMethods.clearFilters=Verwyder filters +bisqEasy.offerbook.offerList.table.filters.showMyOffersOnly=My aanbiedinge slegs + +bisqEasy.offerbook.offerList.table.columns.price.tooltip.fixPrice=Vaste prys: {0}\nPersentasie van die huidige markprys: {1} +bisqEasy.offerbook.offerList.table.columns.price.tooltip.marketPrice=Markprys: {0} +bisqEasy.offerbook.offerList.table.columns.price.tooltip.floatPrice=Persentasie prys {0}\nMet huidige markprys: {1} + + +###################################################### +# Open trades +###################################################### + +bisqEasy.openTrades.table.headline=My oop transaksies +bisqEasy.openTrades.noTrades=Jy het nie enige oop transaksies nie +bisqEasy.openTrades.rejectTrade=Verwerp handel +bisqEasy.openTrades.cancelTrade=Kanselleer handel +bisqEasy.openTrades.tradeLogMessage.rejected={0} het handel aangevaar +bisqEasy.openTrades.tradeLogMessage.cancelled={0} het handel gekanselleer +bisqEasy.openTrades.rejectTrade.warning=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.openTrades.cancelTrade.warning.buyer=Aangesien die uitruil van rekeningbesonderhede begin het, kan die handel nie gekanselleer word sonder die verkoper se {0} +bisqEasy.openTrades.cancelTrade.warning.seller=Aangesien die uitruil van rekeningbesonderhede begin het, kan die handel nie gekanselleer word sonder die koper se {0} + +bisqEasy.openTrades.cancelTrade.warning.part2=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.openTrades.closeTrade.warning.interrupted=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.openTrades.closeTrade.warning.completed=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.openTrades.closeTrade=Sluit handel +bisqEasy.openTrades.confirmCloseTrade=Bevestig om handel te sluit +bisqEasy.openTrades.exportTrade=Eksporteer handel data +bisqEasy.openTrades.reportToMediator=Rapporteer aan bemiddelaar +bisqEasy.openTrades.rejected.self=Jy het die handel verwerp +bisqEasy.openTrades.rejected.peer=Jou handel bemiddelaar het die handel verwerp +bisqEasy.openTrades.cancelled.self=U het die handel gekanselleer +bisqEasy.openTrades.cancelled.peer=Jou handel bemiddelaar het die handel gekanselleer +bisqEasy.openTrades.inMediation.info='n Bemiddelaar het by die handel geselskap aangesluit. Gebruik asseblief die handel geselskap hieronder om hulp van die bemiddelaar te kry. +bisqEasy.openTrades.failed=Die handel het gefaal met foutboodskap: {0} +bisqEasy.openTrades.failed.popup=Die handel het gefaal weens 'n fout.\nFoutboodskap: {0}\n\nStapel spoor: {1} +bisqEasy.openTrades.failedAtPeer=Die peer se handel het gefaal met 'n fout veroorsaak deur: {0} +bisqEasy.openTrades.failedAtPeer.popup=Die peer se handel het misluk weens 'n fout.\nFout veroorsaak deur: {0}\n\nStap spoor: {1} +bisqEasy.openTrades.table.tradePeer=Peer +bisqEasy.openTrades.table.me=Ek +bisqEasy.openTrades.table.mediator=Bemiddelaar +bisqEasy.openTrades.table.tradeId=Handel-ID +bisqEasy.openTrades.table.price=Prys +bisqEasy.openTrades.table.baseAmount=Bedrag in BTC +bisqEasy.openTrades.table.quoteAmount=Bedrag +bisqEasy.openTrades.table.paymentMethod=Betaling +bisqEasy.openTrades.table.paymentMethod.tooltip=Fiat betalingmetode: {0} +bisqEasy.openTrades.table.settlementMethod=Nederlaag +bisqEasy.openTrades.table.settlementMethod.tooltip=Bitcoin betalingsmetode: {0} +bisqEasy.openTrades.table.makerTakerRole=My rol +bisqEasy.openTrades.table.direction.buyer=Koop van: +bisqEasy.openTrades.table.direction.seller=Verkoop aan: +bisqEasy.openTrades.table.makerTakerRole.maker=Maker +bisqEasy.openTrades.table.makerTakerRole.taker=Neem +bisqEasy.openTrades.csv.quoteAmount=Bedrag in {0} +bisqEasy.openTrades.csv.txIdOrPreimage=Transaksie-ID/Voorbeeld +bisqEasy.openTrades.csv.receiverAddressOrInvoice=Ontvanger adres/Faktuur +bisqEasy.openTrades.csv.paymentMethod=Betalingmetode + +bisqEasy.openTrades.chat.peer.description=Geselskappeer +bisqEasy.openTrades.chat.detach=Verlaat +bisqEasy.openTrades.chat.detach.tooltip=Open gesels in nuwe venster +bisqEasy.openTrades.chat.attach=Herstel +bisqEasy.openTrades.chat.attach.tooltip=Herstel geselskap terug na hoofvenster +bisqEasy.openTrades.chat.window.title={0} - Geselskap met {1} / Handel-ID: {2} +bisqEasy.openTrades.chat.peerLeft.headline={0} het die handel verlaat +bisqEasy.openTrades.chat.peerLeft.subHeadline=As die handel nie aan jou kant voltooi is nie en as jy hulp nodig het, kontak die bemiddelaar of besoek die ondersteuningsgesels. + +###################################################### +# Private chat +###################################################### + +bisqEasy.privateChats.leave=Verlaat die gesels +bisqEasy.privateChats.table.myUser=My profiel + + +###################################################### +# Top pane +###################################################### + +# Commented out in code +# suppress inspection "UnusedProperty" +bisqEasy.topPane.filter=Filtreer aanbodboek +# Commented out in code +# suppress inspection "UnusedProperty" +bisqEasy.topPane.closeFilter=Sluit filter +bisqEasy.topPane.filter.offersOnly=Slegs aanbiedinge in Bisq Easy aanbodboek wys + + +################################################################################ +# +# BisqEasyOfferDetails +# +################################################################################ + +bisqEasy.offerDetails.headline=Aanbod besonderhede +bisqEasy.offerDetails.buy=Aanbod om Bitcoin te koop +bisqEasy.offerDetails.sell=Aanbod om Bitcoin te verkoop + +bisqEasy.offerDetails.direction=Aanbod tipe +bisqEasy.offerDetails.baseSideAmount=Bitcoin bedrag +bisqEasy.offerDetails.quoteSideAmount={0} bedrag +bisqEasy.offerDetails.price={0} aanbod prys +bisqEasy.offerDetails.priceValue={0} (premie: {1}) +bisqEasy.offerDetails.paymentMethods=Gesteunde betalingmetode(s) +bisqEasy.offerDetails.id=Aanbod-ID +bisqEasy.offerDetails.date=Skeppingsdatum +bisqEasy.offerDetails.makersTradeTerms=Makers handel terme + + +################################################################################ +# +# OpenTradesWelcome +# +################################################################################ + +bisqEasy.openTrades.welcome.headline=Welkom by jou eerste Bisq Easy handel! +bisqEasy.openTrades.welcome.info=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.openTrades.welcome.line1=Leer meer oor die sekuriteitsmodel van Bisq Easy +bisqEasy.openTrades.welcome.line2=Sien hoe die handel proses werk +bisqEasy.openTrades.welcome.line3=Maak jouself vertroud met die handel reëls + + +################################################################################ +# +# TradeState +# +################################################################################ + +bisqEasy.tradeState.requestMediation=Versoek bemiddeling +bisqEasy.tradeState.reportToMediator=Rapporteer aan bemiddelaar +bisqEasy.tradeState.acceptOrRejectSellersPrice.title=Aandag op Prysverandering! +bisqEasy.tradeState.acceptOrRejectSellersPrice.description.buyersPrice=Jou aanbodprys om Bitcoin te koop was {0}. +bisqEasy.tradeState.acceptOrRejectSellersPrice.description.sellersPrice=Tog, die verkoper bied jou 'n ander prys aan: {0}. +bisqEasy.tradeState.acceptOrRejectSellersPrice.description.question=Wil jy hierdie nuwe prys aanvaar of wil jy die handel verwerp/kanselleer*? +bisqEasy.tradeState.acceptOrRejectSellersPrice.description.disclaimer=(*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.acceptOrRejectSellersPrice.button.accept=Aanvaard prys + +# Trade State: Header +bisqEasy.tradeState.header.peer=Handel bemiddelaar +bisqEasy.tradeState.header.direction=Ek wil +bisqEasy.tradeState.header.send=Bedrag om te stuur +bisqEasy.tradeState.header.pay=Bedrag om te betaal +bisqEasy.tradeState.header.receive=Bedrag om te ontvang +bisqEasy.tradeState.header.tradeId=Handel-ID + +# Trade State: Phase (left side) +bisqEasy.tradeState.phase1=Rekening besonderhede +bisqEasy.tradeState.phase2=Fiat betaling +bisqEasy.tradeState.phase3=Bitcoin oordrag +bisqEasy.tradeState.phase4=Handel voltooi + +# Trade State: Info (right side) + +bisqEasy.tradeState.info.phase3b.balance.help.explorerLookup=Soek transaksie op blok verkenner ''{0}'' +bisqEasy.tradeState.info.phase3b.balance.help.notConfirmed=Transaksie gesien in mempool maar nog nie bevestig nie +bisqEasy.tradeState.info.phase3b.balance.help.confirmed=Transaksie is bevestig +bisqEasy.tradeState.info.phase3b.txId.failed=Transaksie-opsporing na ''{0}'' het gefaal met {1}: ''{2}'' +bisqEasy.tradeState.info.phase3b.button.skip=Verlaat wag vir blokbevestiging + +bisqEasy.tradeState.info.phase3b.balance.invalid.noOutputsForAddress=Geen ooreenstemmende uitsette gevind in transaksie +bisqEasy.tradeState.info.phase3b.balance.invalid.multipleOutputsForAddress=Meerdere ooreenstemmende uitsette in transaksie gevind +bisqEasy.tradeState.info.phase3b.balance.invalid.amountNotMatching=Uitvoerbedrag van transaksie stem nie ooreen met handelbedrag nie + +bisqEasy.tradeState.info.phase3b.button.next=Volgende +bisqEasy.tradeState.info.phase3b.button.next.amountNotMatching=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.phase3b.button.next.noOutputForAddress=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.tradeState.info.phase3b.button.next.amountNotMatching.resolved=Ek het dit opgelos + +bisqEasy.tradeState.info.phase3b.txId=Transaksie-ID +bisqEasy.tradeState.info.phase3b.txId.tooltip=Open transaksie in blok verkenner +bisqEasy.tradeState.info.phase3b.lightning.preimage=Prebeeld + +bisqEasy.tradeState.info.phase4.txId.tooltip=Open transaksie in blok verkenner +bisqEasy.tradeState.info.phase4.exportTrade=Eksporteer handelsdata +bisqEasy.tradeState.info.phase4.leaveChannel=Sluit handel +#################################################################### +# Dynamically created from BitcoinPaymentRail enum name +#################################################################### +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.bitcoinPaymentData.MAIN_CHAIN=Bitcoin adres +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.bitcoinPaymentData.LN=Blits faktuur +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.paymentProof.MAIN_CHAIN=Transaksie-ID +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.paymentProof.LN=Voorbeeld + + +# Trade State Info: Buyer +#################################################################### +# Dynamically created from BitcoinPaymentRail enum name +#################################################################### +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.headline.MAIN_CHAIN=Vul jou Bitcoin adres in +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.description.MAIN_CHAIN=Bitcoin adres +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.prompt.MAIN_CHAIN=Vul jou Bitcoin adres in +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.tradeLogMessage.MAIN_CHAIN={0} het die Bitcoin adres ''{1}'' gestuur +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.headline.LN=Vul jou Lightning faktuur in +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.description.LN=Lightning faktuur +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.prompt.LN=Vul jou Lightning faktuur in +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.tradeLogMessage.LN={0} het die Lightning faktuur ''{1}'' gestuur + +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.walletHelp=As jy nog nie 'n beursie opgestel het nie, kan jy hulp vind by die beursie gids +bisqEasy.tradeState.info.buyer.phase1a.walletHelpButton=Open beursie gids +bisqEasy.tradeState.info.buyer.phase1a.send=Stuur na verkoper +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.tooltip=Skandeer QR-kode met jou webcam +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.description=Webcam verbindsstaat +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.connecting=Verbinde met webcam... +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.imageRecognized=Webcam gekoppel +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.failed=Verbinding met die webkamera het misluk +bisqEasy.tradeState.info.buyer.phase1b.headline=Wag vir die verkoper se betalingrekening data +bisqEasy.tradeState.info.buyer.phase1b.info=Jy kan die gesels hier onder gebruik om in aanraking te kom met die verkoper. + +bisqEasy.tradeState.info.buyer.phase2a.headline=Stuur {0} na die verkoper se betalingrekening +bisqEasy.tradeState.info.buyer.phase2a.quoteAmount=Bedrag om te oordra +bisqEasy.tradeState.info.buyer.phase2a.sellersAccount=Betalingrekening van verkoper +bisqEasy.tradeState.info.buyer.phase2a.reasonForPaymentInfo=Asseblief laat die 'Rede vir betaling' veld leeg, in die geval dat jy 'n bankoorplasing maak +bisqEasy.tradeState.info.buyer.phase2a.confirmFiatSent=Bevestig betaling van {0} +bisqEasy.tradeState.info.buyer.phase2a.tradeLogMessage={0} het die {1} betaling geïnisieer + +bisqEasy.tradeState.info.buyer.phase2b.headline=Wag vir die verkoper om die ontvangs van betaling te bevestig +bisqEasy.tradeState.info.buyer.phase2b.info=Sodra die verkoper jou betaling van {0} ontvang het, sal hulle die Bitcoin oordrag na jou verskafde {1} begin. + +bisqEasy.tradeState.info.buyer.phase3a.headline=Wag vir die verkoper se Bitcoin skikking +bisqEasy.tradeState.info.buyer.phase3a.info=Die verkoper moet die Bitcoin-oordrag na jou verskafde {0} begin. +bisqEasy.tradeState.info.buyer.phase3b.headline.ln=Die verkoper het die Bitcoin via die Lightning netwerk gestuur +bisqEasy.tradeState.info.buyer.phase3b.info.ln=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.tradeState.info.buyer.phase3b.confirmButton.ln=Bevestig ontvangs +bisqEasy.tradeState.info.buyer.phase3b.tradeLogMessage.ln={0} het bevestig dat hy die Bitcoin-betaling ontvang het +bisqEasy.tradeState.info.buyer.phase3b.headline.MAIN_CHAIN=Die verkoper het die Bitcoin-betaling begin +bisqEasy.tradeState.info.buyer.phase3b.info.MAIN_CHAIN=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.tradeState.info.buyer.phase3b.balance=Ontvangde Bitcoin +bisqEasy.tradeState.info.buyer.phase3b.balance.prompt=Wag vir blockchain data... + +# Trade State Info: Seller +bisqEasy.tradeState.info.seller.phase1.headline=Stuur jou betalingrekening data na die koper +bisqEasy.tradeState.info.seller.phase1.accountData=My betalingrekening data +bisqEasy.tradeState.info.seller.phase1.accountData.prompt=Vul jou betalingrekening data in. Byvoorbeeld IBAN, BIC en rekeninghouer naam +bisqEasy.tradeState.info.seller.phase1.buttonText=Stuur rekeningdata +bisqEasy.tradeState.info.seller.phase1.note=Let wel: U kan die gesels hieronder gebruik om in aanraking te kom met die koper voordat u u rekeningdata openbaar. +bisqEasy.tradeState.info.seller.phase1.tradeLogMessage={0} het die betalingrekening data gestuur:\n{1} + +bisqEasy.tradeState.info.seller.phase2a.waitForPayment.headline=Wag vir die koper se {0} betaling +bisqEasy.tradeState.info.seller.phase2a.waitForPayment.info=Sodra die koper die betaling van {0} geïnisieer het, sal jy in kennis gestel word. + +bisqEasy.tradeState.info.seller.phase2b.headline=Kontroleer of u {0} ontvang het +bisqEasy.tradeState.info.seller.phase2b.info=Besoek jou bankrekening of betalingverskaffer-app om die ontvangs van die koper se betaling te bevestig. + +bisqEasy.tradeState.info.seller.phase2b.fiatReceivedButton=Bevestig ontvangs van {0} +bisqEasy.tradeState.info.seller.phase2b.tradeLogMessage={0} het die ontvangs van {1} bevestig + +bisqEasy.tradeState.info.seller.phase3a.fiatPaymentReceivedCheckBox=Ek het bevestig dat ek {0} ontvang het +bisqEasy.tradeState.info.seller.phase3a.sendBtc=Stuur {0} na die koper +bisqEasy.tradeState.info.seller.phase3a.baseAmount=Bedrag om te stuur +bisqEasy.tradeState.info.seller.phase3a.qrCodeDisplay.openWindow=Open groter vertoning +bisqEasy.tradeState.info.seller.phase3a.qrCodeDisplay.window.title=Skandeer QR-kode vir handel ''{0}'' +bisqEasy.tradeState.info.seller.phase3b.headline.MAIN_CHAIN=Wag vir blockchain bevestiging +bisqEasy.tradeState.info.seller.phase3b.info.MAIN_CHAIN=Die Bitcoin-betaling vereis ten minste 1 blockchain bevestiging om as voltooi beskou te word. +bisqEasy.tradeState.info.seller.phase3b.balance=Bitcoin betaling +bisqEasy.tradeState.info.seller.phase3b.balance.prompt=Wag vir blockchain data... + +#################################################################### +# Dynamically created from BitcoinPaymentRail enum name +#################################################################### +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.bitcoinPayment.description.MAIN_CHAIN=Bitcoin adres +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.description.MAIN_CHAIN=Transaksie-ID +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.prompt.MAIN_CHAIN=Vul die Bitcoin transaksie-ID in +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.paymentProof.MAIN_CHAIN=Transaksie-ID +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.bitcoinPayment.description.LN=Lightning faktuur +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.description.LN=Prebeeld (opsioneel) +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.prompt.LN=Vul die voorbeeld in as beskikbaar +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.paymentProof.LN=Voorbeeld + +bisqEasy.tradeState.info.seller.phase3a.btcSentButton=Ek bevestig dat ek {0} gestuur het +bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage={0} het Bitcoin oordrag inisieer. {1}: ''{2}'' +bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.noProofProvided={0} het die Bitcoin oordrag geïnisieer. + +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.MAIN_CHAIN=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. +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.LN=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.phase3a.paymentProof.warning.proceed=Ignoreer waarskuwing + +bisqEasy.tradeState.info.seller.phase3b.headline.ln=Wag vir koper om Bitcoin ontvangs te bevestig +bisqEasy.tradeState.info.seller.phase3b.info.ln=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.tradeState.info.seller.phase3b.confirmButton.ln=Voltooi handel + + +###################################################### +# Trade Completed Table +##################################################### + +bisqEasy.tradeCompleted.title=Handel was suksesvol voltooi +bisqEasy.tradeCompleted.tableTitle=Oorsig +bisqEasy.tradeCompleted.header.tradeWith=Handel met +bisqEasy.tradeCompleted.header.myDirection.seller=Ek het verkoop +bisqEasy.tradeCompleted.header.myDirection.buyer=Ek het gekoop +bisqEasy.tradeCompleted.header.myDirection.btc=BTC +bisqEasy.tradeCompleted.header.myOutcome.seller=Ek het ontvang +bisqEasy.tradeCompleted.header.myOutcome.buyer=Ek het betaal +bisqEasy.tradeCompleted.header.paymentMethod=Betalingmetode +bisqEasy.tradeCompleted.header.tradeId=Handel-ID +bisqEasy.tradeCompleted.body.date=Datum +bisqEasy.tradeCompleted.body.tradePrice=Handel prys +bisqEasy.tradeCompleted.body.tradeFee=Handelsfooi +bisqEasy.tradeCompleted.body.tradeFee.value=Geen handelsfooie in Bisq Easy +bisqEasy.tradeCompleted.body.copy.txId.tooltip=Kopieer transaksie-ID na klembord +bisqEasy.tradeCompleted.body.copy.explorerLink.tooltip=Kopieer blok verkenner transaksie skakel +bisqEasy.tradeCompleted.body.txId.tooltip=Open blokontdekkings transaksie + + +################################################################################ +# +# Mediation +# +################################################################################ + +bisqEasy.mediation.request.confirm.headline=Versoek bemiddeling +bisqEasy.mediation.request.confirm.msg=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.mediation.request.confirm.openMediation=Open bemiddeling +bisqEasy.mediation.request.feedback.headline=Bemiddeling aangevra +bisqEasy.mediation.request.feedback.msg='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.mediation.request.feedback.noMediatorAvailable=Daar is geen bemiddelaar beskikbaar nie. Gebruik asseblief die ondersteuningsgesels in plaas daarvan. +bisqEasy.mediation.requester.tradeLogMessage={0} het bemiddeling aangevra diff --git a/shared/domain/src/commonMain/resources/mobile/bisq_easy_cs.properties b/shared/domain/src/commonMain/resources/mobile/bisq_easy_cs.properties new file mode 100644 index 00000000..8acf892e --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/bisq_easy_cs.properties @@ -0,0 +1,804 @@ +#################################################################### +# +# Chat module +# +#################################################################### + +bisqEasy.offerBookChannel.description=Tržní kanál pro obchodování {0} +bisqEasy.mediator=Mediátor + + +#################################################################### +# +# Desktop module +# +#################################################################### + + +###################################################### +# Bisq Easy +###################################################### + +bisqEasy.dashboard=Začínáme +bisqEasy.offerbook=Nabídková kniha +bisqEasy.openTrades=Moje otevřené obchody + + +###################################################### +# Bisq Easy dashboard +###################################################### + +bisqEasy.onboarding.top.headline=Bisq Easy za 3 minuty +bisqEasy.onboarding.top.content1=Získejte rychlý úvod do Bisq Easy +bisqEasy.onboarding.top.content2=Podívejte se, jak funguje proces obchodování +bisqEasy.onboarding.top.content3=Naučte se o jednoduchých pravidlech obchodu +bisqEasy.onboarding.openTradeGuide=Přečtěte si průvodce obchodováním +bisqEasy.onboarding.watchVideo=Sledovat video +bisqEasy.onboarding.watchVideo.tooltip=Sledovat vložené úvodní video + +bisqEasy.onboarding.left.headline=Nejlepší pro začátečníky +bisqEasy.onboarding.left.info=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.onboarding.left.button=Začít průvodce obchodem + +bisqEasy.onboarding.right.headline=Pro zkušené obchodníky +bisqEasy.onboarding.right.info=Prohlížejte nabídkovou knihu pro nejlepší nabídky nebo vytvořte svou vlastní nabídku. +bisqEasy.onboarding.right.button=Otevřít nabídkovou knihu + + +################################################################################ +# +# Create offer +# +################################################################################ + +bisqEasy.tradeWizard.progress.directionAndMarket=Typ nabídky +bisqEasy.tradeWizard.progress.price=Cena +bisqEasy.tradeWizard.progress.amount=Množství +bisqEasy.tradeWizard.progress.paymentMethods=Platební metody +bisqEasy.tradeWizard.progress.takeOffer=Vyberte nabídku +bisqEasy.tradeWizard.progress.review=Přehled + + +################################################################################ +# Create offer / Direction +################################################################################ + +bisqEasy.tradeWizard.directionAndMarket.headline=Chcete koupit nebo prodat Bitcoin s +bisqEasy.tradeWizard.directionAndMarket.buy=Koupit Bitcoin +bisqEasy.tradeWizard.directionAndMarket.sell=Prodat Bitcoin +bisqEasy.tradeWizard.directionAndMarket.feedback.headline=Jak si vybudovat reputaci? +bisqEasy.tradeWizard.directionAndMarket.feedback.subTitle1=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.gainReputation=Naučte se, jak si vybudovat reputaci +bisqEasy.tradeWizard.directionAndMarket.feedback.subTitle2=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.directionAndMarket.feedback.tradeWithoutReputation=Pokračovat bez Reputace +bisqEasy.tradeWizard.directionAndMarket.feedback.backToBuy=Zpět + + +################################################################################ +# Create offer / Market +################################################################################ + +bisqEasy.tradeWizard.market.headline.buyer=V jaké měně chcete platit? +bisqEasy.tradeWizard.market.headline.seller=V jaké měně chcete být placeni? +bisqEasy.tradeWizard.market.subTitle=Vyberte měnu pro obchod +bisqEasy.tradeWizard.market.columns.name=Fiat měna +bisqEasy.tradeWizard.market.columns.numOffers=Poč. nabídek +bisqEasy.tradeWizard.market.columns.numPeers=Online uživatelé + + +################################################################################ +# Create offer / Price +################################################################################ + +bisqEasy.price.headline=Jaká je vaše obchodní cena? +bisqEasy.tradeWizard.price.subtitle=Toto lze definovat jako procentuální cenu, která se mění s tržní cenou, nebo jako pevnou cenu. +bisqEasy.price.percentage.title=Procentuální cena +bisqEasy.price.percentage.inputBoxText=Procentuální změna tržní ceny mezi -10 % a 50 % +bisqEasy.price.tradePrice.title=Fixní cena +bisqEasy.price.tradePrice.inputBoxText=Cena transakce v {0} +bisqEasy.price.feedback.sentence=Vaše nabídka má {0} šancí být přijata za tuto cenu. +bisqEasy.price.feedback.sentence.veryLow=velmi nízká +bisqEasy.price.feedback.sentence.low=nízká +bisqEasy.price.feedback.sentence.some=několik +bisqEasy.price.feedback.sentence.good=dobrá +bisqEasy.price.feedback.sentence.veryGood=velmi dobrá +bisqEasy.price.feedback.learnWhySection.openButton=Proč? +bisqEasy.price.feedback.learnWhySection.closeButton=Zpět k ceně transakce +bisqEasy.price.feedback.learnWhySection.title=Proč bych měl/a platit prodávajícímu vyšší cenu? +bisqEasy.price.feedback.learnWhySection.description.intro=Razlog za to je što prodavatelj mora pokriti dodatne troškove i nadoknaditi uslugu prodavatelja, konkretno: +bisqEasy.price.feedback.learnWhySection.description.exposition=- 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.price.warn.invalidPrice.outOfRange=Cena, kterou jste zadali, je mimo povolený rozsah od -10% do 50%. +bisqEasy.price.warn.invalidPrice.numberFormatException=Zadaná cena není platné číslo. +bisqEasy.price.warn.invalidPrice.exception=Zadaná cena je neplatná.\n\nChybová zpráva: {0} + + +################################################################################ +# Create offer / Amount +################################################################################ + +bisqEasy.tradeWizard.amount.headline.buyer=Kolik chcete utratit? +bisqEasy.tradeWizard.amount.headline.seller=Kolik chcete obdržet? +bisqEasy.tradeWizard.amount.description.minAmount=Nastavte minimální hodnotu pro rozsah částky +bisqEasy.tradeWizard.amount.description.maxAmount=Nastavte maximální hodnotu pro rozsah částky +bisqEasy.tradeWizard.amount.description.fixAmount=Nastavte částku, kterou chcete obchodovat +bisqEasy.tradeWizard.amount.addMinAmountOption=Přidat min/max rozsah pro částku +bisqEasy.tradeWizard.amount.removeMinAmountOption=Použít fixní hodnotu částky +bisqEasy.component.amount.minRangeValue=Min {0} +bisqEasy.component.amount.maxRangeValue=Max {0} +bisqEasy.component.amount.baseSide.tooltip.btcAmount.marketPrice=Toto je množství Bitcoinu při aktuální tržní ceně. +bisqEasy.component.amount.baseSide.tooltip.btcAmount.selectedPrice=Toto je množství Bitcoinu při vámi zvolené ceně. +bisqEasy.component.amount.baseSide.tooltip.buyerInfo=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.component.amount.baseSide.tooltip.bestOfferPrice=Toto je množství Bitcoinu při nejlepší ceně z odpovídajících nabídek: {0}. +bisqEasy.component.amount.baseSide.tooltip.buyer.btcAmount=Toto je množství Bitcoinu, které obdržíte. +bisqEasy.component.amount.baseSide.tooltip.seller.btcAmount=Toto je množství Bitcoinu, které utratíte. +bisqEasy.component.amount.baseSide.tooltip.taker.offerPrice=s nabídkovou cenou: {0}. + + +bisqEasy.tradeWizard.amount.limitInfo.overlay.headline=Limity obchodních částek na základě Reputace +bisqEasy.tradeWizard.amount.limitInfo.overlay.close=Zavřít překryv + +bisqEasy.tradeWizard.amount.seller.wizard.numMatchingOffers.info=Existuje {0} odpovídajících nabídek pro zvolenou částku obchodu. +bisqEasy.tradeWizard.amount.seller.wizard.limitInfo=S vaším skóre reputace {0} můžete obchodovat až +bisqEasy.tradeWizard.amount.seller.wizard.limitInfo.overlay.info=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.tradeWizard.amount.seller.limitInfo.scoreTooLow=S vaším skóre reputace {0} by neměla částka obchodu překročit +bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.scoreTooLow=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.takeOffer.amount.seller.limitInfo.lowToleratedAmount=Protože je obchodní částka pod {0}, požadavky na Reputaci jsou uvolněny. +bisqEasy.takeOffer.amount.seller.limitInfo.scoreTooLow=Jelikož je vaše Skóre Reputace pouze {0}, je váš obchodní limit omezen na +bisqEasy.takeOffer.amount.seller.limitInfo.overlay.info.scoreTooLow=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.tradeWizard.amount.seller.limitInfo.sufficientScore=Vaše Skóre Reputace {0} zajišťuje bezpečnost pro nabídky až do +bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.sufficientScore=Se Skóre Reputace {0} poskytujete bezpečnost pro obchody až do {1}. + +bisqEasy.tradeWizard.amount.seller.limitInfo.inSufficientScore=Zabezpečení poskytnuté vaším Skóre Reputace {0} je nedostatečné pro nabídky nad +bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.inSufficientScore=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.amount.seller.limitInfoAmount={0}. +bisqEasy.tradeWizard.amount.seller.limitInfo.link=Dozvědět se více + + +bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.linkToWikiText=Pro více informací o systému Reputace navštivte Bisq Wiki na: + +bisqEasy.tradeWizard.amount.seller.limitInfo.noReputationNeededForMaxOrFixedAmount=Pro částky až {0} není vyžadována Reputace. +bisqEasy.tradeWizard.amount.seller.limitInfo.noReputationNeededForMaxOrFixedAmount.overlay.info.scoreTooLow=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.tradeWizard.amount.buyer.limitInfo.learnMore=Dozvědět se více + +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.buyer.numSellers.0=není žádný prodejce +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.buyer.numSellers.1=je jeden prodejce +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.buyer.numSellers.*=jsou {0} prodejci + +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.numOffers.0=není žádná nabídka +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.numOffers.1=je jedna nabídka +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.numOffers.*=je {0} nabídek + +bisqEasy.tradeWizard.amount.buyer.limitInfo=V síti je {0} s dostatečnou Reputací, aby mohl přijmout nabídku ve výši {1}. +bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.info=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.tradeWizard.amount.buyer.limitInfo.wizard.info.leadLine=Existuje {0} odpovídající zvolené částce obchodu. +bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.info=U nabídek do {0} jsou požadavky na Reputaci uvolněny. +bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.overlay.info=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.amount.buyer.limitInfo.noReputationNeededForMaxOrFixedAmount=Prodejci bez Reputace mohou přijímat nabídky až do {0}. +bisqEasy.tradeWizard.amount.buyer.limitInfo.noReputationNeededForMaxOrFixedAmount.riskInfo=Ujistěte se, že plně rozumíte rizikům spojeným s obchodováním. +bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.noReputationNeededForMaxOrFixedAmount.info=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.tradeWizard.amount.buyer.limitInfo.overlay.linkToWikiText=Chcete-li se dozvědět více o systému Reputace, navštivte: + + +bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo.leadLine=Protože vaše min. částka je pod {0}, mohou vaši nabídku přijmout prodejci bez Reputace. +bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo=Pro maximální částku {0} {1} s dostatečnou Reputací, aby přijali vaši nabídku. +bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo.overlay.info=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ů. + + +################################################################################ +# Create offer / Payment methods +################################################################################ + +bisqEasy.tradeWizard.paymentMethods.headline=Jaké platební a zúčtovací metody chcete používat? +bisqEasy.tradeWizard.paymentMethods.fiat.subTitle.buyer=Zvolte způsoby platby pro převod {0} +bisqEasy.tradeWizard.paymentMethods.fiat.subTitle.seller=Vyberte způsoby platby, které chcete obdržet {0} +bisqEasy.tradeWizard.paymentMethods.bitcoin.subTitle.buyer=Výběr způsobů vypořádání pro příjem bitcoinů +bisqEasy.tradeWizard.paymentMethods.bitcoin.subTitle.seller=Výběr způsobů vypořádání pro odesílání bitcoinů +bisqEasy.tradeWizard.paymentMethods.noneFound=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.paymentMethods.customMethod.prompt=Vlastní platební metoda +bisqEasy.tradeWizard.paymentMethods.warn.maxMethodsReached=Nemůžete přidat více než 4 platební metody. +bisqEasy.tradeWizard.paymentMethods.warn.tooLong=Název vlastní platební metody nesmí být delší než 20 znaků. +bisqEasy.tradeWizard.paymentMethods.warn.customPaymentMethodAlreadyExists=Vlastní platební metoda s názvem {0} již existuje. +bisqEasy.tradeWizard.paymentMethods.warn.customNameMatchesPredefinedMethod=Název vaší vlastní platební metody nesmí být stejný jako jeden z předdefinovaných. +bisqEasy.tradeWizard.paymentMethods.warn.noFiatPaymentMethodSelected=Vyberte si prosím alespoň jeden způsob fiat plateb. +bisqEasy.tradeWizard.paymentMethods.warn.noBtcSettlementMethodSelected=Vyberte si prosím alespoň jeden způsob vypořádání bitcoinů. + + +################################################################################ +# TradeWizard / Select offer +################################################################################ + +bisqEasy.tradeWizard.selectOffer.headline.buyer=Koupit Bitcoin za {0} +bisqEasy.tradeWizard.selectOffer.headline.seller=Prodat Bitcoin za {0} +bisqEasy.tradeWizard.selectOffer.subHeadline=Doporučuje se obchodovat s uživateli s vysokou reputací. +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.headline=Nebyly nalezeny odpovídající nabídky +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.subHeadline=Pro vaše kritéria výběru nejsou k dispozici žádné nabídky. +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.goBack=Změnit výběr +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.goBack.info=Vraťte se na předchozí obrazovky a změňte výběr +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.browseOfferbook=Procházet nabídkovou knihu +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.browseOfferbook.info=Zavřít průvodce obchodem a procházet nabídkovou knihu + + +################################################################################ +# TradeWizard / Review +################################################################################ + +bisqEasy.tradeWizard.review.headline.maker=Přehled nabídky +bisqEasy.tradeWizard.review.headline.taker=Přehled obchodu +bisqEasy.tradeWizard.review.detailsHeadline.taker=Podrobnosti obchodu +bisqEasy.tradeWizard.review.detailsHeadline.maker=Podrobnosti nabídky +bisqEasy.tradeWizard.review.feeDescription=Poplatky +bisqEasy.tradeWizard.review.noTradeFees=V Bisq Easy žádné obchodní poplatky +bisqEasy.tradeWizard.review.sellerPaysMinerFeeLong=Poplatek za těžbu platí prodávající +bisqEasy.tradeWizard.review.sellerPaysMinerFee=Prodávající platí poplatek za těžbu +bisqEasy.tradeWizard.review.noTradeFeesLong=V Bisq Easy nejsou žádné obchodní poplatky + +bisqEasy.tradeWizard.review.toPay=Částka k zaplacení +bisqEasy.tradeWizard.review.toSend=Částka k odeslání +bisqEasy.tradeWizard.review.toReceive=Částka k přijetí +bisqEasy.tradeWizard.review.direction={0} Bitcoin +bisqEasy.tradeWizard.review.paymentMethodDescription.btc=Platební metoda Bitcoin +bisqEasy.tradeWizard.review.paymentMethodDescriptions.btc.maker=Metody platby Bitcoin +bisqEasy.tradeWizard.review.paymentMethodDescriptions.btc.taker=Vyberte metodu platby pro Bitcoin +bisqEasy.tradeWizard.review.paymentMethodDescription.fiat=Fiat platební metoda +bisqEasy.tradeWizard.review.paymentMethodDescriptions.fiat.maker=Metody platby Fiat +bisqEasy.tradeWizard.review.paymentMethodDescriptions.fiat.taker=Vyberte metodu platby Fiat +bisqEasy.tradeWizard.review.price={0} <{1} style=trade-wizard-review-code> + +bisqEasy.tradeWizard.review.priceDescription.taker=Cena obchodu +bisqEasy.tradeWizard.review.priceDescription.maker=Cena nabídky +bisqEasy.tradeWizard.review.priceDetails.fix=Pevná cena. {0} {1} tržní cena {2} +bisqEasy.tradeWizard.review.priceDetails.fix.atMarket=Pevná cena. Stejná jako tržní cena {0} +bisqEasy.tradeWizard.review.priceDetails.float=Plovoucí cena. {0} {1} tržní cena {2} +bisqEasy.tradeWizard.review.priceDetails=Plovoucí s tržní cenou +bisqEasy.tradeWizard.review.nextButton.createOffer=Vytvořit nabídku +bisqEasy.tradeWizard.review.nextButton.takeOffer=Potvrdit obchod + +bisqEasy.tradeWizard.review.createOfferSuccess.headline=Nabídka úspěšně publikována +bisqEasy.tradeWizard.review.createOfferSuccess.subTitle=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.tradeWizard.review.createOfferSuccessButton=Zobrazit mou nabídku v 'Nabídková kniha' + +bisqEasy.tradeWizard.review.takeOfferSuccess.headline=Úspěšně jste přijali nabídku +bisqEasy.tradeWizard.review.takeOfferSuccess.subTitle=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.tradeWizard.review.takeOfferSuccessButton=Zobrazit obchod v 'Otevřené obchody' + + +################################################################################ +# Create offer / Review +################################################################################# + +bisqEasy.tradeWizard.review.table.baseAmount.buyer=Obdržíte +bisqEasy.tradeWizard.review.table.baseAmount.seller=Utratíte +bisqEasy.tradeWizard.review.table.price=Cena v {0} +bisqEasy.tradeWizard.review.table.reputation=Reputace +bisqEasy.tradeWizard.review.chatMessage.fixPrice={0} +bisqEasy.tradeWizard.review.chatMessage.floatPrice.above={0} nad tržní cenou +bisqEasy.tradeWizard.review.chatMessage.floatPrice.below={0} pod tržní cenou +bisqEasy.tradeWizard.review.chatMessage.marketPrice=Tržní cena +bisqEasy.tradeWizard.review.chatMessage.price=Cena: +bisqEasy.tradeWizard.review.chatMessage.peerMessage.sell=Prodejte Bitcoin uživateli {0}\nMnožství: {1}\nMetoda vyrovnání Bitcoin: {2}\nMetoda platby Fiat: {3}\n{4} +bisqEasy.tradeWizard.review.chatMessage.peerMessage.buy=Koupit Bitcoin od {0}\nMnožství: {1}\nMetody platby Bitcoin: {2}\nMetody platby Fiat: {3}\n{4} +bisqEasy.tradeWizard.review.chatMessage.offerDetails=Množství: {0}\nMetody platby Bitcoin: {1}\nMetody platby Fiat: {2}\n{3} +bisqEasy.tradeWizard.review.chatMessage.peerMessageTitle.sell=Prodejte Bitcoin uživateli +bisqEasy.tradeWizard.review.chatMessage.peerMessageTitle.buy=Kupte Bitcoin od uživatele +bisqEasy.tradeWizard.review.chatMessage.myMessageTitle=Moje nabídka na {0} Bitcoin + + +################################################################################ +# +# Take offer +# +################################################################################ + +bisqEasy.takeOffer.progress.amount=Množství obchodu +bisqEasy.takeOffer.progress.method=Platební metoda +bisqEasy.takeOffer.progress.review=Přehled obchodu + +bisqEasy.takeOffer.amount.headline.buyer=Kolik chcete utratit? +bisqEasy.takeOffer.amount.headline.seller=Kolik chcete obchodovat? +bisqEasy.takeOffer.amount.description=Nabídka umožňuje zvolit množství obchodu\nmezi {0} a {1} +bisqEasy.takeOffer.amount.description.limitedByTakersReputation=Vaše Skóre Reputace {0} vám umožňuje vybrat si částku obchodu\nmezi {1} a {2} + +bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMax=Skóre Reputace prodávajícího je pouze {0}. Není doporučeno obchodovat více než +bisqEasy.takeOffer.amount.buyer.limitInfoAmount={0}. +bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMax.overlay.info=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.takeOffer.amount.buyer.limitInfo.minAmountCovered=Skóre Reputace prodávajícího {0} poskytuje bezpečnost až +bisqEasy.takeOffer.amount.buyer.limitInfo.minAmountCovered.overlay.info=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.takeOffer.amount.buyer.limitInfo.minAmountNotCovered=Reputace prodávajícího {0} neposkytuje dostatečnou bezpečnost pro tuto nabídku. +bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMin.overlay.info=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.takeOffer.amount.buyer.limitInfo.learnMore=Dozvědět se více +bisqEasy.takeOffer.amount.buyer.limitInfo.overlay.linkToWikiText=Chcete-li se dozvědět více o systému Reputace, navštivte: + +bisqEasy.takeOffer.paymentMethods.headline.fiat=Jakou platební metodu chcete použít? +bisqEasy.takeOffer.paymentMethods.headline.fiatAndBitcoin=Jaký způsob platby a vypořádání chcete použít? +bisqEasy.takeOffer.paymentMethods.headline.bitcoin=Jaký způsob vypořádání chcete použít? +bisqEasy.takeOffer.paymentMethods.subtitle.fiat.buyer=Zvolte způsob platby pro převod {0} +bisqEasy.takeOffer.paymentMethods.subtitle.fiat.seller=Zvolte způsob platby, který chcete obdržet {0} +bisqEasy.takeOffer.paymentMethods.subtitle.bitcoin.buyer=Zvolte způsob vypořádání pro příjem bitcoinů +bisqEasy.takeOffer.paymentMethods.subtitle.bitcoin.seller=Zvolte způsob vypořádání pro odesílání bitcoinů + +bisqEasy.takeOffer.review.headline=Přehled obchodu +bisqEasy.takeOffer.review.detailsHeadline=Podrobnosti obchodu +bisqEasy.takeOffer.review.method.fiat=Metoda platby v fiat měně +bisqEasy.takeOffer.review.method.bitcoin=Metoda platby Bitcoin +bisqEasy.takeOffer.review.price.price=Cena obchodu +bisqEasy.takeOffer.review.noTradeFees=V Bisq Easy žádné obchodní poplatky +bisqEasy.takeOffer.review.sellerPaysMinerFeeLong=Poplatek za těžbu platí prodávající +bisqEasy.takeOffer.review.sellerPaysMinerFee=Prodávající platí poplatek za těžbu +bisqEasy.takeOffer.review.noTradeFeesLong=V Bisq Easy nejsou žádné obchodní poplatky +bisqEasy.takeOffer.review.takeOffer=Potvrdit přijetí nabídky +bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.headline=Odesílání zprávy o přijetí nabídky +bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.subTitle=Odesílání zprávy o přijetí nabídky může trvat až 2 minuty +bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.info=Nepřerušujte okno ani aplikaci, dokud neobdržíte potvrzení, že požadavek na přijetí nabídky byl úspěšně odeslán. +bisqEasy.takeOffer.review.takeOfferSuccess.headline=Úspěšně jste přijali nabídku +bisqEasy.takeOffer.review.takeOfferSuccess.subTitle=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.takeOffer.review.takeOfferSuccessButton=Zobrazit obchod v 'Otevřené obchody' +bisqEasy.takeOffer.tradeLogMessage={0} poslal zprávu o přijetí nabídky od {1} + +bisqEasy.takeOffer.noMediatorAvailable.warning=Nejsou k dispozici žádní mediátoři. Místo toho musíte použít podpůrný chat. +bisqEasy.takeOffer.makerBanned.warning=Vytvářející této nabídky je zakázán. Prosím, zkuste použít jinou nabídku. +# suppress inspection "UnusedProperty" +bisqEasy.takeOffer.bitcoinPaymentData.warning.MAIN_CHAIN=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. +# suppress inspection "UnusedProperty" +bisqEasy.takeOffer.bitcoinPaymentData.warning.LN=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.takeOffer.bitcoinPaymentData.warning.proceed=Ignorovat výstrahu + + +################################################################################ +# +# TradeGuide +# +################################################################################ + +bisqEasy.tradeGuide.tabs.headline=Průvodce obchodováním +bisqEasy.tradeGuide.welcome=Přehled +bisqEasy.tradeGuide.security=Bezpečnost +bisqEasy.tradeGuide.process=Proces +bisqEasy.tradeGuide.rules=Pravidla obchodu + +bisqEasy.tradeGuide.welcome.headline=Jak obchodovat na Bisq Easy +bisqEasy.tradeGuide.welcome.content=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.tradeGuide.security.headline=Jak je bezpečné obchodovat na Bisq Easy? +bisqEasy.tradeGuide.security.content=- 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.tradeGuide.process.headline=Jak funguje proces obchodování? +bisqEasy.tradeGuide.process.content=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.tradeGuide.process.steps=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.tradeGuide.rules.headline=Co potřebuji vědět o pravidlech obchodu? +bisqEasy.tradeGuide.rules.content=- 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.tradeGuide.rules.confirm=Přečetl(a) jsem a rozumím + +bisqEasy.tradeGuide.notConfirmed.warn=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.tradeGuide.open=Otevřít průvodce obchodováním + + +################################################################################ +# WalletGuide +################################################################################ + +bisqEasy.walletGuide.open=Otevřít průvodce peněženkou + +bisqEasy.walletGuide.tabs.headline=Průvodce peněženkou +bisqEasy.walletGuide.intro=Úvod +bisqEasy.walletGuide.download=Stáhnout +bisqEasy.walletGuide.createWallet=Nová peněženka +bisqEasy.walletGuide.receive=Příjem + +bisqEasy.walletGuide.intro.headline=Připravte se na příjem vašeho prvního Bitcoinu +bisqEasy.walletGuide.intro.content=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.walletGuide.download.headline=Stažení peněženky +bisqEasy.walletGuide.download.content=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.walletGuide.download.link=Klikněte zde pro návštěvu stránky Bluewallet + +bisqEasy.walletGuide.createWallet.headline=Vytvoření vaší nové peněženky +bisqEasy.walletGuide.createWallet.content=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.walletGuide.receive.headline=Příjem bitcoinů ve vaší peněžence +bisqEasy.walletGuide.receive.content=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.walletGuide.receive.link1=Tutoriál Peněženky Bluewallet od Anity Posch +bisqEasy.walletGuide.receive.link2=Tutoriál Bluewallet od BTC Sessions + + +###################################################### +# Offerbook +###################################################### + +bisqEasy.offerbook.markets=Trhy +bisqEasy.offerbook.markets.CollapsedList.Tooltip=Rozbalit trhy +bisqEasy.offerbook.markets.ExpandedList.Tooltip=Sbalit trhy +bisqEasy.offerbook.marketListCell.numOffers.one={0} nabídka +bisqEasy.offerbook.marketListCell.numOffers.many={0} nabídek +bisqEasy.offerbook.marketListCell.numOffers.tooltip.none=V trhu {0} zatím nejsou k dispozici žádné nabídky +bisqEasy.offerbook.marketListCell.numOffers.tooltip.one=V trhu {1} je dostupná {0} nabídka +bisqEasy.offerbook.marketListCell.numOffers.tooltip.many=V trhu {1} je dostupných {0} nabídek +bisqEasy.offerbook.marketListCell.favourites.tooltip.addToFavourites=Přidat do oblíbených +bisqEasy.offerbook.marketListCell.favourites.tooltip.removeFromFavourites=Odebrat z oblíbených +bisqEasy.offerbook.marketListCell.favourites.maxReached.popup=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.offerbook.dropdownMenu.sortAndFilterMarkets.tooltip=Třídit a filtrovat trhy +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.sortTitle=Třídit podle: +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.mostOffers=Nejvíce nabídek +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.nameAZ=Název A-Z +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.nameZA=Název Z-A +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.filterTitle=Zobrazit trhy: +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.withOffers=S nabídkami +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.favourites=Pouze oblíbené +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.all=Všechny + +bisqEasy.offerbook.chatMessage.deleteOffer.confirmation=Opravdu chcete tuto nabídku smazat? +bisqEasy.offerbook.chatMessage.deleteMessage.confirmation=Opravdu chcete tuto zprávu smazat? + +bisqEasy.offerbook.offerList=Seznam nabídek +bisqEasy.offerbook.offerList.collapsedList.tooltip=Rozbalit seznam nabídek +bisqEasy.offerbook.offerList.expandedList.tooltip=Sbalit seznam nabídek +bisqEasy.offerbook.offerList.table.columns.peerProfile=Profil protějšku +bisqEasy.offerbook.offerList.table.columns.price=Cena +bisqEasy.offerbook.offerList.table.columns.fiatAmount=Částka {0} +bisqEasy.offerbook.offerList.table.columns.paymentMethod=Platební metoda +bisqEasy.offerbook.offerList.table.columns.settlementMethod=Metoda vyrovnání +bisqEasy.offerbook.offerList.table.filters.offerDirection.buyFrom=Koupit od +bisqEasy.offerbook.offerList.table.filters.offerDirection.sellTo=Prodat +bisqEasy.offerbook.offerList.table.filters.paymentMethods.title=Platby ({0}) +bisqEasy.offerbook.offerList.table.filters.paymentMethods.title.all=Všechny +bisqEasy.offerbook.offerList.table.filters.paymentMethods.customPayments=Vlastní platby +bisqEasy.offerbook.offerList.table.filters.paymentMethods.clearFilters=Vymazat filtry +bisqEasy.offerbook.offerList.table.filters.showMyOffersOnly=Pouze mé nabídky + +bisqEasy.offerbook.offerList.table.columns.price.tooltip.fixPrice=Pevná cena: {0}\nProcento od aktuální tržní ceny: {1} +bisqEasy.offerbook.offerList.table.columns.price.tooltip.marketPrice=Tržní cena: {0} +bisqEasy.offerbook.offerList.table.columns.price.tooltip.floatPrice=Procentuální cena {0}\nS aktuální tržní cenou: {1} + + +###################################################### +# Open trades +###################################################### + +bisqEasy.openTrades.table.headline=Moje otevřené obchody +bisqEasy.openTrades.noTrades=Nemáte žádné otevřené obchody +bisqEasy.openTrades.rejectTrade=Odmítnout obchod +bisqEasy.openTrades.cancelTrade=Zrušit obchod +bisqEasy.openTrades.tradeLogMessage.rejected={0} zamítl obchod +bisqEasy.openTrades.tradeLogMessage.cancelled={0} zrušil obchod +bisqEasy.openTrades.rejectTrade.warning=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.openTrades.cancelTrade.warning.buyer=Jelikož výměna údajů o účtu začala, zrušení obchodu bez souhlasu prodejce {0} +bisqEasy.openTrades.cancelTrade.warning.seller=Jelikož výměna údajů o účtu začala, zrušení obchodu bez souhlasu kupujícího {0} + +bisqEasy.openTrades.cancelTrade.warning.part2=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.openTrades.closeTrade.warning.interrupted=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.openTrades.closeTrade.warning.completed=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.openTrades.closeTrade=Zavřít obchod +bisqEasy.openTrades.confirmCloseTrade=Potvrdit uzavření obchodu +bisqEasy.openTrades.exportTrade=Exportovat obchodní data +bisqEasy.openTrades.reportToMediator=Nahlásit mediátorovi +bisqEasy.openTrades.rejected.self=Odmítli jste obchod +bisqEasy.openTrades.rejected.peer=Váš obchodní partner odmítl obchod +bisqEasy.openTrades.cancelled.self=Zrušili jste obchod +bisqEasy.openTrades.cancelled.peer=Váš obchodní partner zrušil obchod +bisqEasy.openTrades.inMediation.info=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.openTrades.failed=Obchod selhal s chybovou zprávou: {0} +bisqEasy.openTrades.failed.popup=Obchod selhal kvůli chybě.\nChybová zpráva: {0}\n\nVýpis ze zásobníku: {1} +bisqEasy.openTrades.failedAtPeer=Obchod protistrany selhal s chybou způsobenou: {0} +bisqEasy.openTrades.failedAtPeer.popup=Obchod protistrany selhal kvůli chybě.\nChyba způsobena: {0}\n\nVýpis ze zásobníku: {1} +bisqEasy.openTrades.table.tradePeer=Partner +bisqEasy.openTrades.table.me=Já +bisqEasy.openTrades.table.mediator=Zmocněnec +bisqEasy.openTrades.table.tradeId=ID obchodu +bisqEasy.openTrades.table.price=Cena +bisqEasy.openTrades.table.baseAmount=Částka v BTC +bisqEasy.openTrades.table.quoteAmount=Částka +bisqEasy.openTrades.table.paymentMethod=Platba +bisqEasy.openTrades.table.paymentMethod.tooltip=Platební metoda Fiat: {0} +bisqEasy.openTrades.table.settlementMethod=Vyrovnání +bisqEasy.openTrades.table.settlementMethod.tooltip=Metoda vyrovnání Bitcoin: {0} +bisqEasy.openTrades.table.makerTakerRole=Moje role +bisqEasy.openTrades.table.direction.buyer=Nákup od: +bisqEasy.openTrades.table.direction.seller=Prodej komu: +bisqEasy.openTrades.table.makerTakerRole.maker=Vytvářející +bisqEasy.openTrades.table.makerTakerRole.taker=Přijímající +bisqEasy.openTrades.csv.quoteAmount=Částka v {0} +bisqEasy.openTrades.csv.txIdOrPreimage=ID transakce/Preimage +bisqEasy.openTrades.csv.receiverAddressOrInvoice=Adresa příjemce/Faktura +bisqEasy.openTrades.csv.paymentMethod=Způsob platby + +bisqEasy.openTrades.chat.peer.description=Chatovací partner +bisqEasy.openTrades.chat.detach=Odpojit +bisqEasy.openTrades.chat.detach.tooltip=Otevřít chat v novém okně +bisqEasy.openTrades.chat.attach=Připojit +bisqEasy.openTrades.chat.attach.tooltip=Připojit chat zpět do hlavního okna +bisqEasy.openTrades.chat.window.title={0} - Chat s {1} / ID obchodu: {2} +bisqEasy.openTrades.chat.peerLeft.headline={0} opustil obchod +bisqEasy.openTrades.chat.peerLeft.subHeadline=Pokud obchod není na vaší straně dokončen a potřebujete pomoc, kontaktujte mediátora nebo navštivte podpůrný chat. + +###################################################### +# Private chat +###################################################### + +bisqEasy.privateChats.leave=Opustit chat +bisqEasy.privateChats.table.myUser=Můj profil + + +###################################################### +# Top pane +###################################################### + +# Commented out in code +# suppress inspection "UnusedProperty" +bisqEasy.topPane.filter=Filtr nabídkové knihy +# Commented out in code +# suppress inspection "UnusedProperty" +bisqEasy.topPane.closeFilter=Zavřít filtr +bisqEasy.topPane.filter.offersOnly=Zobrazit pouze nabídky v nabídce Bisq Easy + + +################################################################################ +# +# BisqEasyOfferDetails +# +################################################################################ + +bisqEasy.offerDetails.headline=Podrobnosti nabídky +bisqEasy.offerDetails.buy=Nabídka na koupi Bitcoinu +bisqEasy.offerDetails.sell=Nabídka na prodej Bitcoinu + +bisqEasy.offerDetails.direction=Typ nabídky +bisqEasy.offerDetails.baseSideAmount=Množství Bitcoinu +bisqEasy.offerDetails.quoteSideAmount=Částka v {0} +bisqEasy.offerDetails.price=Cena nabídky v {0} +bisqEasy.offerDetails.priceValue={0} (přirážka: {1}) +bisqEasy.offerDetails.paymentMethods=Podporované platební metody +bisqEasy.offerDetails.id=ID nabídky +bisqEasy.offerDetails.date=Datum vytvoření +bisqEasy.offerDetails.makersTradeTerms=Obchodní podmínky tvůrce + + +################################################################################ +# +# OpenTradesWelcome +# +################################################################################ + +bisqEasy.openTrades.welcome.headline=Vítejte u vašeho prvního obchodu na Bisq Easy! +bisqEasy.openTrades.welcome.info=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.openTrades.welcome.line1=Seznamte se s bezpečnostním modelem Bisq Easy +bisqEasy.openTrades.welcome.line2=Podívejte se, jak funguje proces obchodování +bisqEasy.openTrades.welcome.line3=Seznamte se s pravidly obchodu + + +################################################################################ +# +# TradeState +# +################################################################################ + +bisqEasy.tradeState.requestMediation=Požádat o mediaci +bisqEasy.tradeState.reportToMediator=Nahlásit mediátorovi +bisqEasy.tradeState.acceptOrRejectSellersPrice.title=Pozor na změnu ceny! +bisqEasy.tradeState.acceptOrRejectSellersPrice.description.buyersPrice=Vaše nabízená cena za nákup Bitcoinu byla {0}. +bisqEasy.tradeState.acceptOrRejectSellersPrice.description.sellersPrice=Avšak prodejce vám nabízí jinou cenu: {0}. +bisqEasy.tradeState.acceptOrRejectSellersPrice.description.question=Chcete přijmout tuto novou cenu, nebo chcete obchod odmítnout/zrušit*? +bisqEasy.tradeState.acceptOrRejectSellersPrice.description.disclaimer=(*Poznámka: V tomto konkrétním případě rušení obchodu NEBUDE považováno za porušení obchodních pravidel.) +bisqEasy.tradeState.acceptOrRejectSellersPrice.button.accept=Přijmout cenu + +# Trade State: Header +bisqEasy.tradeState.header.peer=Obchodní partner +bisqEasy.tradeState.header.direction=Chci +bisqEasy.tradeState.header.send=Částka k odeslání +bisqEasy.tradeState.header.pay=Částka k zaplacení +bisqEasy.tradeState.header.receive=Částka k přijetí +bisqEasy.tradeState.header.tradeId=ID obchodu + +# Trade State: Phase (left side) +bisqEasy.tradeState.phase1=Údaje o účtu +bisqEasy.tradeState.phase2=Fiat platba +bisqEasy.tradeState.phase3=Převod Bitcoinu +bisqEasy.tradeState.phase4=Obchod dokončen + +# Trade State: Info (right side) + +bisqEasy.tradeState.info.phase3b.balance.help.explorerLookup=Vyhledávání transakce v block exploreru ''{0}'' +bisqEasy.tradeState.info.phase3b.balance.help.notConfirmed=Transakce viděna v mempoolu, ale ještě nepotvrzena +bisqEasy.tradeState.info.phase3b.balance.help.confirmed=Transakce je potvrzena +bisqEasy.tradeState.info.phase3b.txId.failed=Vyhledání transakce v ''{0}'' se nezdařilo s {1}: ''{2}'' +bisqEasy.tradeState.info.phase3b.button.skip=Přeskočit čekání na potvrzení bloku + +bisqEasy.tradeState.info.phase3b.balance.invalid.noOutputsForAddress=Nebyly nalezeny odpovídající výstupy v transakci +bisqEasy.tradeState.info.phase3b.balance.invalid.multipleOutputsForAddress=Nalezeno více odpovídajících výstupů v transakci +bisqEasy.tradeState.info.phase3b.balance.invalid.amountNotMatching=Částka výstupu z transakce se neshoduje s částkou obchodu + +bisqEasy.tradeState.info.phase3b.button.next=Další +bisqEasy.tradeState.info.phase3b.button.next.amountNotMatching=Čá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.phase3b.button.next.noOutputForAddress=Žá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.tradeState.info.phase3b.button.next.amountNotMatching.resolved=Vyřešil(a) jsem to + +bisqEasy.tradeState.info.phase3b.txId=ID transakce +bisqEasy.tradeState.info.phase3b.txId.tooltip=Otevřít transakci v prohlížeči bloků +bisqEasy.tradeState.info.phase3b.lightning.preimage=Preimage + +bisqEasy.tradeState.info.phase4.txId.tooltip=Otevřít transakci v prohlížeči bloků +bisqEasy.tradeState.info.phase4.exportTrade=Exportovat data obchodu +bisqEasy.tradeState.info.phase4.leaveChannel=Zavřít obchod +#################################################################### +# Dynamically created from BitcoinPaymentRail enum name +#################################################################### +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.bitcoinPaymentData.MAIN_CHAIN=Bitcoin adresa +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.bitcoinPaymentData.LN=Faktura Lightning +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.paymentProof.MAIN_CHAIN=ID transakce +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.paymentProof.LN=Preimage + + +# Trade State Info: Buyer +#################################################################### +# Dynamically created from BitcoinPaymentRail enum name +#################################################################### +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.headline.MAIN_CHAIN=Vyplňte svou Bitcoin adresu +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.description.MAIN_CHAIN=Bitcoin adresa +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.prompt.MAIN_CHAIN=Vyplňte svou Bitcoin adresu +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.tradeLogMessage.MAIN_CHAIN={0} poslal Bitcoinovou adresu ''{1}'' +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.headline.LN=Vyplňte svou Lightning fakturu +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.description.LN=Lightning faktura +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.prompt.LN=Vyplňte svou Lightning fakturu +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.tradeLogMessage.LN={0} poslal Lightning fakturu ''{1}'' + +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.walletHelp=Pokud jste si ještě nenastavili peněženku, můžete najít pomoc v průvodci peněženkou +bisqEasy.tradeState.info.buyer.phase1a.walletHelpButton=Otevřít průvodce peněženkou +bisqEasy.tradeState.info.buyer.phase1a.send=Odeslat prodejci +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.tooltip=Odečíst QR kód pomocí vaší webkamery +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.description=Stav připojení webkamery +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.connecting=Připojuji se k webkameře... +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.imageRecognized=Webkamera připojena +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.failed=Chyba při připojování k webkameře +bisqEasy.tradeState.info.buyer.phase1b.headline=Čekání na údaje o platebním účtu prodejce +bisqEasy.tradeState.info.buyer.phase1b.info=Můžete použít chat níže pro komunikaci s prodejcem. + +bisqEasy.tradeState.info.buyer.phase2a.headline=Odešlete {0} na platební účet prodejce +bisqEasy.tradeState.info.buyer.phase2a.quoteAmount=Částka k převodu +bisqEasy.tradeState.info.buyer.phase2a.sellersAccount=Platební účet prodejce +bisqEasy.tradeState.info.buyer.phase2a.reasonForPaymentInfo=Prosím, nevyplňujte pole 'Důvod platby', pokud děláte bankovní převod +bisqEasy.tradeState.info.buyer.phase2a.confirmFiatSent=Potvrdit platbu {0} +bisqEasy.tradeState.info.buyer.phase2a.tradeLogMessage={0} zahájil platbu {1} + +bisqEasy.tradeState.info.buyer.phase2b.headline=Čekání na potvrzení přijetí platby prodejcem +bisqEasy.tradeState.info.buyer.phase2b.info=Jakmile prodejce obdrží vaši platbu ve výši {0}, začne odesílat Bitcoin na vaši zadanou {1}. + +bisqEasy.tradeState.info.buyer.phase3a.headline=Čekání na Bitcoin platbu pro +bisqEasy.tradeState.info.buyer.phase3a.info=Prodejce musí zahájit platbu Bitcoinem na vaši zadanou {0}. +bisqEasy.tradeState.info.buyer.phase3b.headline.ln=Prodejce poslal Bitcoin přes Lightning síť +bisqEasy.tradeState.info.buyer.phase3b.info.ln=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.tradeState.info.buyer.phase3b.confirmButton.ln=Potvrdit přijetí +bisqEasy.tradeState.info.buyer.phase3b.tradeLogMessage.ln={0} potvrdil(a), že obdržel(a) platbu Bitcoinem +bisqEasy.tradeState.info.buyer.phase3b.headline.MAIN_CHAIN=Prodejce zahájil Bitcoin platbu +bisqEasy.tradeState.info.buyer.phase3b.info.MAIN_CHAIN=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.tradeState.info.buyer.phase3b.balance=Přijaté Bitcoin +bisqEasy.tradeState.info.buyer.phase3b.balance.prompt=Čekání na data blockchainu... + +# Trade State Info: Seller +bisqEasy.tradeState.info.seller.phase1.headline=Pošlete údaje o svém platebním účtu kupujícímu +bisqEasy.tradeState.info.seller.phase1.accountData=Mé údaje o platebním účtu +bisqEasy.tradeState.info.seller.phase1.accountData.prompt=Vyplňte údaje o svém platebním účtu. Např. IBAN, BIC a jméno majitele účtu +bisqEasy.tradeState.info.seller.phase1.buttonText=Odeslat údaje o účtu +bisqEasy.tradeState.info.seller.phase1.note=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.tradeState.info.seller.phase1.tradeLogMessage={0} zaslal údaje o platebním účtu:\n{1} + +bisqEasy.tradeState.info.seller.phase2a.waitForPayment.headline=Čekání na {0} platbu od kupujícího +bisqEasy.tradeState.info.seller.phase2a.waitForPayment.info=Jakmile kupující zahájí platbu {0}, budete o tom informováni. + +bisqEasy.tradeState.info.seller.phase2b.headline=Zkontrolujte, zda jste obdrželi {0} +bisqEasy.tradeState.info.seller.phase2b.info=Navštivte svou bankovní účet nebo aplikaci poskytovatele platby, abyste potvrdili přijetí platby od kupujícího. + +bisqEasy.tradeState.info.seller.phase2b.fiatReceivedButton=Potvrdit přijetí {0} +bisqEasy.tradeState.info.seller.phase2b.tradeLogMessage={0} potvrdil přijetí částky {1} + +bisqEasy.tradeState.info.seller.phase3a.fiatPaymentReceivedCheckBox=Potvrdil jsem přijetí {0} +bisqEasy.tradeState.info.seller.phase3a.sendBtc=Odeslat {0} kupujícímu +bisqEasy.tradeState.info.seller.phase3a.baseAmount=Částka k odeslání +bisqEasy.tradeState.info.seller.phase3a.qrCodeDisplay.openWindow=Otevřít větší zobrazení +bisqEasy.tradeState.info.seller.phase3a.qrCodeDisplay.window.title=Naskenovat QR kód pro obchod ''{0}'' +bisqEasy.tradeState.info.seller.phase3b.headline.MAIN_CHAIN=Čekání na potvrzení v blockchainu +bisqEasy.tradeState.info.seller.phase3b.info.MAIN_CHAIN=Bitcoin platba vyžaduje alespoň 1 potvrzení v blockchainu, aby byla považována za dokončenou. +bisqEasy.tradeState.info.seller.phase3b.balance=Zůstatek Bitcoin platby +bisqEasy.tradeState.info.seller.phase3b.balance.prompt=Čekání na data blockchainu... + +#################################################################### +# Dynamically created from BitcoinPaymentRail enum name +#################################################################### +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.bitcoinPayment.description.MAIN_CHAIN=Bitcoin adresa +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.description.MAIN_CHAIN=ID transakce +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.prompt.MAIN_CHAIN=Vyplňte ID Transakce Bitcoin +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.paymentProof.MAIN_CHAIN=ID transakce +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.bitcoinPayment.description.LN=Lightning faktura +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.description.LN=Preimage (volitelné) +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.prompt.LN=Vyplňte preimage, pokud je k dispozici +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.paymentProof.LN=Preimage + +bisqEasy.tradeState.info.seller.phase3a.btcSentButton=Potvrzuji, že jsem odeslal {0} +bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage={0} zahájil Bitcoin platbu. {1}: ''{2}'' +bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.noProofProvided={0} zahájil Bitcoin platbu. + +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.MAIN_CHAIN=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. +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.LN=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.phase3a.paymentProof.warning.proceed=Ignorovat výstrahu + +bisqEasy.tradeState.info.seller.phase3b.headline.ln=Čekejte na potvrzení přijetí Bitcoinu kupujícím +bisqEasy.tradeState.info.seller.phase3b.info.ln=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.tradeState.info.seller.phase3b.confirmButton.ln=Ukončit obchod + + +###################################################### +# Trade Completed Table +##################################################### + +bisqEasy.tradeCompleted.title=Obchod byl úspěšně dokončen +bisqEasy.tradeCompleted.tableTitle=Shrnutí +bisqEasy.tradeCompleted.header.tradeWith=Obchodovat s +bisqEasy.tradeCompleted.header.myDirection.seller=Prodal jsem +bisqEasy.tradeCompleted.header.myDirection.buyer=Koupil(a) jsem +bisqEasy.tradeCompleted.header.myDirection.btc=btc +bisqEasy.tradeCompleted.header.myOutcome.seller=Přijal jsem +bisqEasy.tradeCompleted.header.myOutcome.buyer=Zaplatil jsem +bisqEasy.tradeCompleted.header.paymentMethod=Způsob platby +bisqEasy.tradeCompleted.header.tradeId=ID obchodu +bisqEasy.tradeCompleted.body.date=Datum +bisqEasy.tradeCompleted.body.tradePrice=Cena obchodu +bisqEasy.tradeCompleted.body.tradeFee=Obchodní poplatek +bisqEasy.tradeCompleted.body.tradeFee.value=V Bisq Easy žádné obchodní poplatky +bisqEasy.tradeCompleted.body.copy.txId.tooltip=Zkopírovat ID Transakce do schránky +bisqEasy.tradeCompleted.body.copy.explorerLink.tooltip=Zkopírovat odkaz na transakci v prohlížeči bloků +bisqEasy.tradeCompleted.body.txId.tooltip=Otevřít prohlížeč bloků pro ID Transakce + + +################################################################################ +# +# Mediation +# +################################################################################ + +bisqEasy.mediation.request.confirm.headline=Požádat o mediaci +bisqEasy.mediation.request.confirm.msg=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.mediation.request.confirm.openMediation=Otevřít mediaci +bisqEasy.mediation.request.feedback.headline=Mediace požadována +bisqEasy.mediation.request.feedback.msg=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.mediation.request.feedback.noMediatorAvailable=Žádný mediátor není k dispozici. Prosím, místo toho použijte podpůrný chat. +bisqEasy.mediation.requester.tradeLogMessage={0} požádal o zprostředkování diff --git a/shared/domain/src/commonMain/resources/mobile/bisq_easy_de.properties b/shared/domain/src/commonMain/resources/mobile/bisq_easy_de.properties new file mode 100644 index 00000000..4f6ed49a --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/bisq_easy_de.properties @@ -0,0 +1,804 @@ +#################################################################### +# +# Chat module +# +#################################################################### + +bisqEasy.offerBookChannel.description=Marktkanal für den Handel mit {0} +bisqEasy.mediator=Mediator + + +#################################################################### +# +# Desktop module +# +#################################################################### + + +###################################################### +# Bisq Easy +###################################################### + +bisqEasy.dashboard=Erste Schritte +bisqEasy.offerbook=Angebotsbuch +bisqEasy.openTrades=Meine offenen Transaktionen + + +###################################################### +# Bisq Easy dashboard +###################################################### + +bisqEasy.onboarding.top.headline=Bisq Easy in 3 Minuten +bisqEasy.onboarding.top.content1=Schnelleinführung in Bisq Easy +bisqEasy.onboarding.top.content2=Alles über den Handelsprozess +bisqEasy.onboarding.top.content3=Die wichtigesten Handelsregeln +bisqEasy.onboarding.openTradeGuide=Handelsleitfaden lesen +bisqEasy.onboarding.watchVideo=Video ansehen +bisqEasy.onboarding.watchVideo.tooltip=Video einbetten und ansehen + +bisqEasy.onboarding.left.headline=Für Anfänger +bisqEasy.onboarding.left.info=Der Handelsassistent führt Sie durch Ihren ersten Bitcoin-Handel. Die Bitcoin-Verkäufer helfen Ihnen, wenn Sie Fragen haben. +bisqEasy.onboarding.left.button=Assistent starten + +bisqEasy.onboarding.right.headline=Für erfahrene Händler +bisqEasy.onboarding.right.info=Durchsuchen Sie die Angebote oder erstellen Sie Ihr eigenes Angebot. +bisqEasy.onboarding.right.button=Angebote öffnen + + +################################################################################ +# +# Create offer +# +################################################################################ + +bisqEasy.tradeWizard.progress.directionAndMarket=Angebotsart +bisqEasy.tradeWizard.progress.price=Preis +bisqEasy.tradeWizard.progress.amount=Menge +bisqEasy.tradeWizard.progress.paymentMethods=Zahlungsmethoden +bisqEasy.tradeWizard.progress.takeOffer=Angebot auswählen +bisqEasy.tradeWizard.progress.review=Überprüfen + + +################################################################################ +# Create offer / Direction +################################################################################ + +bisqEasy.tradeWizard.directionAndMarket.headline=Möchten Sie Bitcoin mit +bisqEasy.tradeWizard.directionAndMarket.buy=Bitcoin kaufen +bisqEasy.tradeWizard.directionAndMarket.sell=Bitcoin verkaufen +bisqEasy.tradeWizard.directionAndMarket.feedback.headline=Wie baut man Reputation auf? +bisqEasy.tradeWizard.directionAndMarket.feedback.subTitle1=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.gainReputation=Erfahren Sie, wie man Reputation aufbaut +bisqEasy.tradeWizard.directionAndMarket.feedback.subTitle2=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.directionAndMarket.feedback.tradeWithoutReputation=Weiter ohne Reputation +bisqEasy.tradeWizard.directionAndMarket.feedback.backToBuy=Zurück + + +################################################################################ +# Create offer / Market +################################################################################ + +bisqEasy.tradeWizard.market.headline.buyer=In welcher Währung möchten Sie bezahlen? +bisqEasy.tradeWizard.market.headline.seller=In welcher Währung möchten Sie bezahlt werden? +bisqEasy.tradeWizard.market.subTitle=Wählen Sie Ihre Handelswährung +bisqEasy.tradeWizard.market.columns.name=Fiat-Währung +bisqEasy.tradeWizard.market.columns.numOffers=Angebote +bisqEasy.tradeWizard.market.columns.numPeers=Online-Teilnehmer + + +################################################################################ +# Create offer / Price +################################################################################ + +bisqEasy.price.headline=Wie ist Ihr Handelspreis? +bisqEasy.tradeWizard.price.subtitle=Dies kann als Float-Preis definiert werden, der mit dem Marktpreis schwankt, oder als fester Preis. +bisqEasy.price.percentage.title=Float-Preis +bisqEasy.price.percentage.inputBoxText=Marktpreis-Prozentsatz zwischen -10 % und 50 % +bisqEasy.price.tradePrice.title=Fester Preis +bisqEasy.price.tradePrice.inputBoxText=Handelspreis in {0} +bisqEasy.price.feedback.sentence=Dein Angebot hat {0} Chancen, zu diesem Preis angenommen zu werden. +bisqEasy.price.feedback.sentence.veryLow=sehr geringe +bisqEasy.price.feedback.sentence.low=geringe +bisqEasy.price.feedback.sentence.some=gewisse +bisqEasy.price.feedback.sentence.good=gute +bisqEasy.price.feedback.sentence.veryGood=sehr gute +bisqEasy.price.feedback.learnWhySection.openButton=Wieso? +bisqEasy.price.feedback.learnWhySection.closeButton=Zurück zum Handelspreis +bisqEasy.price.feedback.learnWhySection.title=Warum sollte ich dem Verkäufer einen höheren Preis zahlen? +bisqEasy.price.feedback.learnWhySection.description.intro=Der Grund dafür ist, dass der Verkäufer speziell folgende zusätzliche Ausgaben decken muss: +bisqEasy.price.feedback.learnWhySection.description.exposition=- 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.price.warn.invalidPrice.outOfRange=Der eingegebene Preis liegt außerhalb des erlaubten Bereichs von -10% bis 50%. +bisqEasy.price.warn.invalidPrice.numberFormatException=Der eingegebene Preis ist keine gültige Zahl. +bisqEasy.price.warn.invalidPrice.exception=Der eingegebene Preis ist ungültig.\n\nFehlermeldung: {0} + + +################################################################################ +# Create offer / Amount +################################################################################ + +bisqEasy.tradeWizard.amount.headline.buyer=Wie viel möchten Sie ausgeben? +bisqEasy.tradeWizard.amount.headline.seller=Wie viel möchten Sie erhalten? +bisqEasy.tradeWizard.amount.description.minAmount=Legen Sie den minimalen Wert für den Mengenbereich fest +bisqEasy.tradeWizard.amount.description.maxAmount=Legen Sie den maximalen Wert für den Mengenbereich fest +bisqEasy.tradeWizard.amount.description.fixAmount=Legen Sie die Menge fest, die Sie handeln möchten +bisqEasy.tradeWizard.amount.addMinAmountOption=Min-/Max-Bereich für Menge hinzufügen +bisqEasy.tradeWizard.amount.removeMinAmountOption=Fixe Mengenwert verwenden +bisqEasy.component.amount.minRangeValue=Min {0} +bisqEasy.component.amount.maxRangeValue=Max {0} +bisqEasy.component.amount.baseSide.tooltip.btcAmount.marketPrice=Dies ist der Bitcoin-Betrag zum aktuellen Marktpreis. +bisqEasy.component.amount.baseSide.tooltip.btcAmount.selectedPrice=Dies ist der Bitcoin-Betrag zu deinem ausgewählten Preis. +bisqEasy.component.amount.baseSide.tooltip.buyerInfo=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.component.amount.baseSide.tooltip.bestOfferPrice=Berechnet mit dem besten Preis aus passenden Angeboten: {0} +bisqEasy.component.amount.baseSide.tooltip.buyer.btcAmount=Die erwartete Bitcoin-Menge, die Sie erhalten. +bisqEasy.component.amount.baseSide.tooltip.seller.btcAmount=Die erwartete Bitcoin-Menge, die Sie ausgeben. +bisqEasy.component.amount.baseSide.tooltip.taker.offerPrice=Berechnet mit dem Angebotspreis: {0} + + +bisqEasy.tradeWizard.amount.limitInfo.overlay.headline=Reputationsbasierte Handelsbetragsgrenzen +bisqEasy.tradeWizard.amount.limitInfo.overlay.close=Überlagerung schließen + +bisqEasy.tradeWizard.amount.seller.wizard.numMatchingOffers.info=Es gibt {0} passende Angebote für den gewählten Handelsbetrag. +bisqEasy.tradeWizard.amount.seller.wizard.limitInfo=Mit Ihrer Reputationsbewertung von {0} können Sie bis zu +bisqEasy.tradeWizard.amount.seller.wizard.limitInfo.overlay.info=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.tradeWizard.amount.seller.limitInfo.scoreTooLow=Mit Ihrer Reputationsbewertung von {0} sollte Ihr Handelsbetrag nicht überschreiten +bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.scoreTooLow=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.takeOffer.amount.seller.limitInfo.lowToleratedAmount=Da der Handelsbetrag unter {0} liegt, sind die Anforderungen an die Reputation gelockert. +bisqEasy.takeOffer.amount.seller.limitInfo.scoreTooLow=Da Ihre Reputationsbewertung nur {0} beträgt, ist Ihr Handelsbetrag auf +bisqEasy.takeOffer.amount.seller.limitInfo.overlay.info.scoreTooLow=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.tradeWizard.amount.seller.limitInfo.sufficientScore=Ihre Reputationsbewertung von {0} bietet Sicherheit für Angebote bis zu +bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.sufficientScore=Mit einer Reputationsbewertung von {0} bieten Sie Sicherheit für Transaktionen bis zu {1}. + +bisqEasy.tradeWizard.amount.seller.limitInfo.inSufficientScore=Die Sicherheit, die durch Ihre Reputationsbewertung von {0} bereitgestellt wird, ist unzureichend für Angebote über +bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.inSufficientScore=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.amount.seller.limitInfoAmount={0}. +bisqEasy.tradeWizard.amount.seller.limitInfo.link=Mehr erfahren + + +bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.linkToWikiText=Für weitere Informationen zum Reputationssystem besuchen Sie das Bisq-Wiki unter: + +bisqEasy.tradeWizard.amount.seller.limitInfo.noReputationNeededForMaxOrFixedAmount=Für Beträge bis zu {0} ist keine Reputation erforderlich. +bisqEasy.tradeWizard.amount.seller.limitInfo.noReputationNeededForMaxOrFixedAmount.overlay.info.scoreTooLow=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.tradeWizard.amount.buyer.limitInfo.learnMore=Mehr erfahren + +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.buyer.numSellers.0=ist kein Verkäufer +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.buyer.numSellers.1=ist ein Verkäufer +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.buyer.numSellers.*=sind {0} Verkäufer + +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.numOffers.0=gibt kein Angebot +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.numOffers.1=ist ein Angebot +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.numOffers.*=sind {0} Angebote + +bisqEasy.tradeWizard.amount.buyer.limitInfo=Es gibt {0} im Netzwerk mit ausreichender Reputation, um ein Angebot von {1} anzunehmen. +bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.info=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.tradeWizard.amount.buyer.limitInfo.wizard.info.leadLine=Es {0} passend zur gewählten Handelsmenge. +bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.info=Für Angebote bis {0} sind die Anforderungen an die Reputation gelockert. +bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.overlay.info=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.amount.buyer.limitInfo.noReputationNeededForMaxOrFixedAmount=Verkäufer ohne Reputation können Angebote bis zu {0} annehmen. +bisqEasy.tradeWizard.amount.buyer.limitInfo.noReputationNeededForMaxOrFixedAmount.riskInfo=Stellen Sie sicher, dass Sie die damit verbundenen Risiken vollständig verstehen. +bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.noReputationNeededForMaxOrFixedAmount.info=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.tradeWizard.amount.buyer.limitInfo.overlay.linkToWikiText=Um mehr über das Reputation-System zu erfahren, besuchen Sie: + + +bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo.leadLine=Da Ihr Mindestbetrag unter {0} liegt, können Verkäufer ohne Reputation Ihr Angebot annehmen. +bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo=Für den max. Betrag von {0} gibt es {1} mit ausreichender Reputation, um Ihr Angebot anzunehmen. +bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo.overlay.info=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. + + +################################################################################ +# Create offer / Payment methods +################################################################################ + +bisqEasy.tradeWizard.paymentMethods.headline=Welche Zahlungs- und Abrechnungsmethoden möchtest du verwenden? +bisqEasy.tradeWizard.paymentMethods.fiat.subTitle.buyer=Wähle die Zahlungsmethoden aus, um {0} zu überweisen +bisqEasy.tradeWizard.paymentMethods.fiat.subTitle.seller=Wähle die Zahlungsmethoden aus, um {0} zu erhalten +bisqEasy.tradeWizard.paymentMethods.bitcoin.subTitle.buyer=Wähle die Abrechnungsmethoden aus, um Bitcoin zu erhalten +bisqEasy.tradeWizard.paymentMethods.bitcoin.subTitle.seller=Wähle die Abrechnungsmethoden aus, um Bitcoin zu senden +bisqEasy.tradeWizard.paymentMethods.noneFound=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.paymentMethods.customMethod.prompt=Benutzerdefinierte Zahlung +bisqEasy.tradeWizard.paymentMethods.warn.maxMethodsReached=Sie können nicht mehr als 4 Zahlungsmethoden hinzufügen. +bisqEasy.tradeWizard.paymentMethods.warn.tooLong=Der Name Ihrer benutzerdefinierten Zahlungsmethode darf nicht länger als 20 Zeichen sein. +bisqEasy.tradeWizard.paymentMethods.warn.customPaymentMethodAlreadyExists=Eine benutzerdefinierte Zahlungsmethode mit dem Namen {0} existiert bereits. +bisqEasy.tradeWizard.paymentMethods.warn.customNameMatchesPredefinedMethod=Der Name Ihrer benutzerdefinierten Zahlungsmethode darf nicht mit einem der vordefinierten Namen übereinstimmen. +bisqEasy.tradeWizard.paymentMethods.warn.noFiatPaymentMethodSelected=Bitte wähle mindestens eine Fiat-Zahlungsmethode aus. +bisqEasy.tradeWizard.paymentMethods.warn.noBtcSettlementMethodSelected=Bitte wähle mindestens eine Bitcoin-Abrechnungsmethode aus. + + +################################################################################ +# TradeWizard / Select offer +################################################################################ + +bisqEasy.tradeWizard.selectOffer.headline.buyer=Kaufen Sie Bitcoin für {0} +bisqEasy.tradeWizard.selectOffer.headline.seller=Verkaufen Sie Bitcoin für {0} +bisqEasy.tradeWizard.selectOffer.subHeadline=Es wird empfohlen, mit Benutzern mit hoher Reputation zu handeln. +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.headline=Keine passenden Angebote gefunden +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.subHeadline=Es liegen keine Angebote für Ihre Auswahlkriterien vor. +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.goBack=Auswahl ändern +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.goBack.info=Kehren Sie zu den vorherigen Auswahloptionen zurück und ändern Sie die Auswahl +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.browseOfferbook=Angebotsbuch durchsuchen +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.browseOfferbook.info=Schließen Sie den Assistenten und durchsuchen Sie das Angebotsbuch + + +################################################################################ +# TradeWizard / Review +################################################################################ + +bisqEasy.tradeWizard.review.headline.maker=Angebot überprüfen +bisqEasy.tradeWizard.review.headline.taker=Handel überprüfen +bisqEasy.tradeWizard.review.detailsHeadline.taker=Handelsdetails +bisqEasy.tradeWizard.review.detailsHeadline.maker=Angebotsdetails +bisqEasy.tradeWizard.review.feeDescription=Gebühren +bisqEasy.tradeWizard.review.noTradeFees=Keine Handelsgebühren +bisqEasy.tradeWizard.review.sellerPaysMinerFeeLong=Mining-Gebühr zahlt Verkäufer +bisqEasy.tradeWizard.review.sellerPaysMinerFee=Mining-Gebühr zahlt Verkäufer +bisqEasy.tradeWizard.review.noTradeFeesLong=Es gibt keine Handelsgebühren in Bisq Easy + +bisqEasy.tradeWizard.review.toPay=Zu zahlender Betrag +bisqEasy.tradeWizard.review.toSend=Zu sendender Betrag +bisqEasy.tradeWizard.review.toReceive=Zu erhaltender Betrag +bisqEasy.tradeWizard.review.direction=Bitcoin {0} +bisqEasy.tradeWizard.review.paymentMethodDescription.btc=Bitcoin-Zahlungsmethode +bisqEasy.tradeWizard.review.paymentMethodDescriptions.btc.maker=Bitcoin-Zahlungsmethoden +bisqEasy.tradeWizard.review.paymentMethodDescriptions.btc.taker=Bitcoin-Zahlungsmethode auswählen +bisqEasy.tradeWizard.review.paymentMethodDescription.fiat=Fiat-Zahlungsmethode +bisqEasy.tradeWizard.review.paymentMethodDescriptions.fiat.maker=Fiat-Zahlungsmethoden +bisqEasy.tradeWizard.review.paymentMethodDescriptions.fiat.taker=Fiat-Zahlungsmethode auswählen +bisqEasy.tradeWizard.review.price={0} <{1} style=trade-wizard-review-code> + +bisqEasy.tradeWizard.review.priceDescription.taker=Handelspreis +bisqEasy.tradeWizard.review.priceDescription.maker=Angebotspreis +bisqEasy.tradeWizard.review.priceDetails.fix=Fixer Preis. {0} {1} Marktpreis von {2} +bisqEasy.tradeWizard.review.priceDetails.fix.atMarket=Fixer Preis. Entspricht dem Marktpreis von {0} +bisqEasy.tradeWizard.review.priceDetails.float=Float-Preis. {0} {1} Marktpreis von {2} +bisqEasy.tradeWizard.review.priceDetails=Schwankt mit dem Marktpreis +bisqEasy.tradeWizard.review.nextButton.createOffer=Angebot erstellen +bisqEasy.tradeWizard.review.nextButton.takeOffer=Handel bestätigen + +bisqEasy.tradeWizard.review.createOfferSuccess.headline=Angebot erfolgreich veröffentlicht +bisqEasy.tradeWizard.review.createOfferSuccess.subTitle=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.tradeWizard.review.createOfferSuccessButton=Mein Angebot im 'Angebotsbuch' anzeigen + +bisqEasy.tradeWizard.review.takeOfferSuccess.headline=Sie haben das Angebot erfolgreich angenommen +bisqEasy.tradeWizard.review.takeOfferSuccess.subTitle=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.tradeWizard.review.takeOfferSuccessButton=Handel in 'Offene Transaktionen' anzeigen + + +################################################################################ +# Create offer / Review +################################################################################# + +bisqEasy.tradeWizard.review.table.baseAmount.buyer=Sie erhalten +bisqEasy.tradeWizard.review.table.baseAmount.seller=Sie geben aus +bisqEasy.tradeWizard.review.table.price=Preis in {0} +bisqEasy.tradeWizard.review.table.reputation=Reputation +bisqEasy.tradeWizard.review.chatMessage.fixPrice={0} +bisqEasy.tradeWizard.review.chatMessage.floatPrice.above={0} über dem Marktpreis +bisqEasy.tradeWizard.review.chatMessage.floatPrice.below={0} unter dem Marktpreis +bisqEasy.tradeWizard.review.chatMessage.marketPrice=Marktpreis +bisqEasy.tradeWizard.review.chatMessage.price=Preis: +bisqEasy.tradeWizard.review.chatMessage.peerMessage.sell=Verkaufe Bitcoin an {0}\nMenge: {1}\nBitcoin-Zahlungsmethode(n): {2}\nFiat-Zahlungsmethode(n): {3}\n{4} +bisqEasy.tradeWizard.review.chatMessage.peerMessage.buy=Kaufe Bitcoin von {0}\nMenge: {1}\nBitcoin-Zahlungsmethode(n): {2}\nFiat-Zahlungsmethode(n): {3}\n{4} +bisqEasy.tradeWizard.review.chatMessage.offerDetails=Menge: {0}\nBitcoin-Zahlungsmethode(n): {1}\nFiat-Zahlungsmethode(n): {2}\n{3} +bisqEasy.tradeWizard.review.chatMessage.peerMessageTitle.sell=Verkaufe Bitcoin an +bisqEasy.tradeWizard.review.chatMessage.peerMessageTitle.buy=Kaufe Bitcoin von +bisqEasy.tradeWizard.review.chatMessage.myMessageTitle=Mein Angebot um Bitcoin zu {0} + + +################################################################################ +# +# Take offer +# +################################################################################ + +bisqEasy.takeOffer.progress.amount=Handelsbetrag +bisqEasy.takeOffer.progress.method=Zahlungsmethode +bisqEasy.takeOffer.progress.review=Handel überprüfen + +bisqEasy.takeOffer.amount.headline.buyer=Wie viel möchten Sie ausgeben? +bisqEasy.takeOffer.amount.headline.seller=Wie viel möchten Sie handeln? +bisqEasy.takeOffer.amount.description=Das Angebot ermöglicht es Ihnen, eine Betrag zwischen {0} und {1} auszuwählen +bisqEasy.takeOffer.amount.description.limitedByTakersReputation=Ihre Reputationsbewertung von {0} ermöglicht es Ihnen, einen Handelsbetrag\nzwischen {1} und {2} auszuwählen + +bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMax=Die Reputationsbewertung des Verkäufers beträgt nur {0}. Es wird nicht empfohlen, mehr als +bisqEasy.takeOffer.amount.buyer.limitInfoAmount={0}. +bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMax.overlay.info=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.takeOffer.amount.buyer.limitInfo.minAmountCovered=Die Reputationsbewertung des Verkäufers von {0} bietet Sicherheit bis zu +bisqEasy.takeOffer.amount.buyer.limitInfo.minAmountCovered.overlay.info=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.takeOffer.amount.buyer.limitInfo.minAmountNotCovered=Die Reputationsbewertung des Verkäufers von {0} bietet nicht genügend Sicherheit für dieses Angebot. +bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMin.overlay.info=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.takeOffer.amount.buyer.limitInfo.learnMore=Mehr erfahren +bisqEasy.takeOffer.amount.buyer.limitInfo.overlay.linkToWikiText=Um mehr über das Reputationssystem zu erfahren, besuchen Sie: + +bisqEasy.takeOffer.paymentMethods.headline.fiat=Welche Zahlungsmethode möchtest du verwenden? +bisqEasy.takeOffer.paymentMethods.headline.fiatAndBitcoin=Welche Zahlungs- und Abrechnungsmethoden möchtest du verwenden? +bisqEasy.takeOffer.paymentMethods.headline.bitcoin=Welche Abrechnungsmethode möchtest du verwenden? +bisqEasy.takeOffer.paymentMethods.subtitle.fiat.buyer=Wähle eine Zahlungsmethode aus, um {0} zu überweisen +bisqEasy.takeOffer.paymentMethods.subtitle.fiat.seller=Wähle eine Zahlungsmethode aus, um {0} zu erhalten +bisqEasy.takeOffer.paymentMethods.subtitle.bitcoin.buyer=Wähle eine Abrechnungsmethode aus, um Bitcoin zu erhalten +bisqEasy.takeOffer.paymentMethods.subtitle.bitcoin.seller=Wähle eine Abrechnungsmethode aus, um Bitcoin zu senden + +bisqEasy.takeOffer.review.headline=Handel überprüfen +bisqEasy.takeOffer.review.detailsHeadline=Handelsdetails +bisqEasy.takeOffer.review.method.fiat=Fiat-Zahlungsmethode +bisqEasy.takeOffer.review.method.bitcoin=Bitcoin-Zahlungsmethode +bisqEasy.takeOffer.review.price.price=Handelspreis +bisqEasy.takeOffer.review.noTradeFees=Keine Handelsgebühren +bisqEasy.takeOffer.review.sellerPaysMinerFeeLong=Verkäufer zahlt Miningfee +bisqEasy.takeOffer.review.sellerPaysMinerFee=Mining-Gebühr zahlt Verkäufer +bisqEasy.takeOffer.review.noTradeFeesLong=Es gibt keine Handelsgebühren in Bisq Easy +bisqEasy.takeOffer.review.takeOffer=Bestätigen Sie das Angebot +bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.headline=Nachricht zum Akzeptieren des Angebots wird gesendet +bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.subTitle=Das Senden der Nachricht zum Akzeptieren des Angebots kann bis zu 2 Minuten dauern +bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.info=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.takeOffer.review.takeOfferSuccess.headline=Sie haben das Angebot erfolgreich angenommen +bisqEasy.takeOffer.review.takeOfferSuccess.subTitle=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.takeOffer.review.takeOfferSuccessButton=Handel in 'Offene Transaktionen' anzeigen +bisqEasy.takeOffer.tradeLogMessage={0} hat eine Nachricht gesendet, um das Angebot von {1} anzunehmen. + +bisqEasy.takeOffer.noMediatorAvailable.warning=Es steht kein Mediator zur Verfügung. Sie müssen stattdessen den Support-Chat verwenden. +bisqEasy.takeOffer.makerBanned.warning=Der Anbieter dieses Angebots ist gesperrt. Bitte versuchen Sie, ein anderes Angebot zu verwenden. +# suppress inspection "UnusedProperty" +bisqEasy.takeOffer.bitcoinPaymentData.warning.MAIN_CHAIN=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. +# suppress inspection "UnusedProperty" +bisqEasy.takeOffer.bitcoinPaymentData.warning.LN=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.takeOffer.bitcoinPaymentData.warning.proceed=Warnung ignorieren + + +################################################################################ +# +# TradeGuide +# +################################################################################ + +bisqEasy.tradeGuide.tabs.headline=Handelsanleitung +bisqEasy.tradeGuide.welcome=Übersicht +bisqEasy.tradeGuide.security=Sicherheit +bisqEasy.tradeGuide.process=Prozess +bisqEasy.tradeGuide.rules=Handelsregeln + +bisqEasy.tradeGuide.welcome.headline=Wie man auf Bisq Easy handelt +bisqEasy.tradeGuide.welcome.content=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.tradeGuide.security.headline=Wie sicher ist es, auf Bisq Easy zu handeln? +bisqEasy.tradeGuide.security.content=- 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.tradeGuide.process.headline=Wie funktioniert der Handelsprozess? +bisqEasy.tradeGuide.process.content=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.tradeGuide.process.steps=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.tradeGuide.rules.headline=Was muss ich über die Handelsregeln wissen? +bisqEasy.tradeGuide.rules.content=- 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.tradeGuide.rules.confirm=Ich habe die Regeln gelesen und verstanden + +bisqEasy.tradeGuide.notConfirmed.warn=Bitte lesen Sie die Handelsanleitung und bestätigen, dass Sie die Handelsregeln gelesen und verstanden haben. +bisqEasy.tradeGuide.open=Handelsanleitung öffnen + + +################################################################################ +# WalletGuide +################################################################################ + +bisqEasy.walletGuide.open=Wallet-Anleitung öffnen + +bisqEasy.walletGuide.tabs.headline=Wallet-Anleitung +bisqEasy.walletGuide.intro=Einführung +bisqEasy.walletGuide.download=Herunterladen +bisqEasy.walletGuide.createWallet=Neue Wallet +bisqEasy.walletGuide.receive=Empfangen + +bisqEasy.walletGuide.intro.headline=Bereite dich darauf vor, deinen ersten Bitcoin zu empfangen +bisqEasy.walletGuide.intro.content=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.walletGuide.download.headline=Deine Wallet herunterladen +bisqEasy.walletGuide.download.content=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.walletGuide.download.link=Klicke hier, um die Seite von Bluewallet zu besuchen + +bisqEasy.walletGuide.createWallet.headline=Deine neue Wallet erstellen +bisqEasy.walletGuide.createWallet.content=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.walletGuide.receive.headline=Bitcoin in deiner Wallet empfangen +bisqEasy.walletGuide.receive.content=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.walletGuide.receive.link1=Bluewallet-Tutorial von Anita Posch +bisqEasy.walletGuide.receive.link2=Bluewallet-Tutorial von BTC Sessions + + +###################################################### +# Offerbook +###################################################### + +bisqEasy.offerbook.markets=Märkte +bisqEasy.offerbook.markets.CollapsedList.Tooltip=Märkte erweitern +bisqEasy.offerbook.markets.ExpandedList.Tooltip=Märkte minimieren +bisqEasy.offerbook.marketListCell.numOffers.one={0} Angebot +bisqEasy.offerbook.marketListCell.numOffers.many={0} Angebote +bisqEasy.offerbook.marketListCell.numOffers.tooltip.none=Keine Angebote im {0}-Markt verfügbar +bisqEasy.offerbook.marketListCell.numOffers.tooltip.one={0} Angebot ist im {1}-Markt verfügbar +bisqEasy.offerbook.marketListCell.numOffers.tooltip.many={0} Angebote sind im {1}-Markt verfügbar +bisqEasy.offerbook.marketListCell.favourites.tooltip.addToFavourites=Zu Favoriten hinzufügen +bisqEasy.offerbook.marketListCell.favourites.tooltip.removeFromFavourites=Aus Favoriten entfernen +bisqEasy.offerbook.marketListCell.favourites.maxReached.popup=Es ist nur Platz für 5 Favoriten. Entferne einen Favoriten und versuche es erneut. + +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.tooltip=Märkte sortieren und filtern +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.sortTitle=Sortieren nach: +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.mostOffers=Meiste Angebote +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.nameAZ=Name A-Z +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.nameZA=Name Z-A +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.filterTitle=Zeige Märkte: +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.withOffers=Mit Angeboten +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.favourites=Nur Favoriten +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.all=Alle + +bisqEasy.offerbook.chatMessage.deleteOffer.confirmation=Sind Sie sicher, dass Sie dieses Angebot löschen möchten? +bisqEasy.offerbook.chatMessage.deleteMessage.confirmation=Bist du sicher, dass du diese Nachricht löschen möchtest? + +bisqEasy.offerbook.offerList=Angebotsliste +bisqEasy.offerbook.offerList.collapsedList.tooltip=Angebotsliste erweitern +bisqEasy.offerbook.offerList.expandedList.tooltip=Angebotsliste minimieren +bisqEasy.offerbook.offerList.table.columns.peerProfile=Peer-Profil +bisqEasy.offerbook.offerList.table.columns.price=Preis +bisqEasy.offerbook.offerList.table.columns.fiatAmount={0} Betrag +bisqEasy.offerbook.offerList.table.columns.paymentMethod=Zahlung +bisqEasy.offerbook.offerList.table.columns.settlementMethod=Abrechnung +bisqEasy.offerbook.offerList.table.filters.offerDirection.buyFrom=Kaufen von +bisqEasy.offerbook.offerList.table.filters.offerDirection.sellTo=Verkaufen an +bisqEasy.offerbook.offerList.table.filters.paymentMethods.title=Zahlungen ({0}) +bisqEasy.offerbook.offerList.table.filters.paymentMethods.title.all=Alle +bisqEasy.offerbook.offerList.table.filters.paymentMethods.customPayments=Benutzerdefinierte Zahlungen +bisqEasy.offerbook.offerList.table.filters.paymentMethods.clearFilters=Filter zurücksetzen +bisqEasy.offerbook.offerList.table.filters.showMyOffersOnly=Nur meine Angebote + +bisqEasy.offerbook.offerList.table.columns.price.tooltip.fixPrice=Fester Preis: {0}\nProzentsatz vom aktuellen Marktpreis: {1} +bisqEasy.offerbook.offerList.table.columns.price.tooltip.marketPrice=Marktpreis: {0} +bisqEasy.offerbook.offerList.table.columns.price.tooltip.floatPrice=Prozentualer Preis {0}\nMit aktuellem Marktpreis: {1} + + +###################################################### +# Open trades +###################################################### + +bisqEasy.openTrades.table.headline=Meine offenen Transaktionen +bisqEasy.openTrades.noTrades=Du hast keine offenen Transaktionen +bisqEasy.openTrades.rejectTrade=Handel ablehnen +bisqEasy.openTrades.cancelTrade=Handel abbrechen +bisqEasy.openTrades.tradeLogMessage.rejected={0} hat den Handel abgelehnt +bisqEasy.openTrades.tradeLogMessage.cancelled={0} hat den Handel storniert +bisqEasy.openTrades.rejectTrade.warning=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.openTrades.cancelTrade.warning.buyer=Da der Austausch von Kontodetails begonnen hat, wird das Abbrechen des Handels ohne das Einverständnis des Verkäufers {0} +bisqEasy.openTrades.cancelTrade.warning.seller=Da der Austausch von Kontodetails begonnen hat, wird das Abbrechen des Handels ohne das Einverständnis des Käufers {0} + +bisqEasy.openTrades.cancelTrade.warning.part2=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.openTrades.closeTrade.warning.interrupted=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.openTrades.closeTrade.warning.completed=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.openTrades.closeTrade=Handel schließen +bisqEasy.openTrades.confirmCloseTrade=Handelsschluss bestätigen +bisqEasy.openTrades.exportTrade=Handels-Daten exportieren +bisqEasy.openTrades.reportToMediator=An Mediator melden +bisqEasy.openTrades.rejected.self=Du hast den Handel abgelehnt +bisqEasy.openTrades.rejected.peer=Dein Handelspartner hat den Handel abgelehnt +bisqEasy.openTrades.cancelled.self=Du hast den Handel abgebrochen +bisqEasy.openTrades.cancelled.peer=Dein Handelspartner hat den Handel abgebrochen +bisqEasy.openTrades.inMediation.info=Ein Mediator ist dem Handels-Chat beigetreten. Bitte benutze den Handels-Chat unten, um Unterstützung vom Mediator zu erhalten. +bisqEasy.openTrades.failed=Der Handel ist aufgrund einer Fehlermeldung fehlgeschlagen: {0} +bisqEasy.openTrades.failed.popup=Der Handel ist aufgrund eines Fehlers fehlgeschlagen.\nFehlermeldung: {0}\n\nStack-Trace: {1} +bisqEasy.openTrades.failedAtPeer=Der Handel des Partners ist aufgrund eines Fehlers fehlgeschlagen: {0} +bisqEasy.openTrades.failedAtPeer.popup=Der Handel des Partners ist aufgrund eines Fehlers fehlgeschlagen.\nFehler verursacht durch: {0}\n\nStack-Trace: {1} +bisqEasy.openTrades.table.tradePeer=Handelspartner +bisqEasy.openTrades.table.me=Ich +bisqEasy.openTrades.table.mediator=Mediator +bisqEasy.openTrades.table.tradeId=Handels-ID +bisqEasy.openTrades.table.price=Preis +bisqEasy.openTrades.table.baseAmount=Menge in BTC +bisqEasy.openTrades.table.quoteAmount=Menge +bisqEasy.openTrades.table.paymentMethod=Zahlungsmethode +bisqEasy.openTrades.table.paymentMethod.tooltip=Fiat-Zahlungsmethode: {0} +bisqEasy.openTrades.table.settlementMethod=Abrechnung +bisqEasy.openTrades.table.settlementMethod.tooltip=Bitcoin-Abrechnungsmethode: {0} +bisqEasy.openTrades.table.makerTakerRole=Meine Rolle +bisqEasy.openTrades.table.direction.buyer=Kauf von: +bisqEasy.openTrades.table.direction.seller=Verkauf an: +bisqEasy.openTrades.table.makerTakerRole.maker=Ersteller +bisqEasy.openTrades.table.makerTakerRole.taker=Empfänger +bisqEasy.openTrades.csv.quoteAmount=Betrag in {0} +bisqEasy.openTrades.csv.txIdOrPreimage=Transaktions-ID/Preimage +bisqEasy.openTrades.csv.receiverAddressOrInvoice=Empfängeradresse/Rechnung +bisqEasy.openTrades.csv.paymentMethod=Zahlungsmethode + +bisqEasy.openTrades.chat.peer.description=Chat-Partner +bisqEasy.openTrades.chat.detach=Abtrennen +bisqEasy.openTrades.chat.detach.tooltip=Chat in neuem Fenster öffnen +bisqEasy.openTrades.chat.attach=Zurück +bisqEasy.openTrades.chat.attach.tooltip=Chat zurück zum Hauptfenster wiederherstellen +bisqEasy.openTrades.chat.window.title={0} - Chat mit {1} / Handels-ID: {2} +bisqEasy.openTrades.chat.peerLeft.headline={0} hat den Handel verlassen +bisqEasy.openTrades.chat.peerLeft.subHeadline=Falls der Handel nicht abgeschlossen ist und du Unterstützung benötigst, kontaktiere den Mediator oder besuche den Support-Chat. + +###################################################### +# Private chat +###################################################### + +bisqEasy.privateChats.leave=Chat verlassen +bisqEasy.privateChats.table.myUser=Mein Profil + + +###################################################### +# Top pane +###################################################### + +# Commented out in code +# suppress inspection "UnusedProperty" +bisqEasy.topPane.filter=Angebotsbuch filtern +# Commented out in code +# suppress inspection "UnusedProperty" +bisqEasy.topPane.closeFilter=Filter schließen +bisqEasy.topPane.filter.offersOnly=Nur Angebote im Bisq Easy-Angebotsbuch anzeigen + + +################################################################################ +# +# BisqEasyOfferDetails +# +################################################################################ + +bisqEasy.offerDetails.headline=Angebotsdetails +bisqEasy.offerDetails.buy=Angebot zum Kauf von Bitcoin +bisqEasy.offerDetails.sell=Angebot zum Verkauf von Bitcoin + +bisqEasy.offerDetails.direction=Angebotsart +bisqEasy.offerDetails.baseSideAmount=Bitcoin-Betrag +bisqEasy.offerDetails.quoteSideAmount={0} Betrag +bisqEasy.offerDetails.price={0} Angebotspreis +bisqEasy.offerDetails.priceValue={0} (Aufschlag: {1}) +bisqEasy.offerDetails.paymentMethods=Unterstützte Zahlungsmethoden +bisqEasy.offerDetails.id=Angebots-ID +bisqEasy.offerDetails.date=Erstellungsdatum +bisqEasy.offerDetails.makersTradeTerms=Handelsbedingungen des Anbieters + + +################################################################################ +# +# OpenTradesWelcome +# +################################################################################ + +bisqEasy.openTrades.welcome.headline=Willkommen bei Ihrem ersten Bisq Easy-Handel! +bisqEasy.openTrades.welcome.info=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.openTrades.welcome.line1=Informieren Sie sich über das Sicherheitsmodell von Bisq Easy +bisqEasy.openTrades.welcome.line2=Erfahren Sie, wie der Handelsprozess funktioniert +bisqEasy.openTrades.welcome.line3=Machen Sie sich mit den Handelsregeln vertraut + + +################################################################################ +# +# TradeState +# +################################################################################ + +bisqEasy.tradeState.requestMediation=Mediation anfordern +bisqEasy.tradeState.reportToMediator=An Mediator melden +bisqEasy.tradeState.acceptOrRejectSellersPrice.title=Achtung Preisänderung! +bisqEasy.tradeState.acceptOrRejectSellersPrice.description.buyersPrice=Ihr Angebotspreis zum Kauf von Bitcoin betrug {0}. +bisqEasy.tradeState.acceptOrRejectSellersPrice.description.sellersPrice=Der Verkäufer bietet Ihnen jedoch diesen Preis an: {0}. +bisqEasy.tradeState.acceptOrRejectSellersPrice.description.question=Möchten Sie diesen neuen Preis akzeptieren oder den Handel ablehnen/abbrechen*? +bisqEasy.tradeState.acceptOrRejectSellersPrice.description.disclaimer=(*Beachte, dass in diesem speziellen Fall das Abbrechen des Handels NICHT als Verstoß gegen die Handelsregeln angesehen wird.) +bisqEasy.tradeState.acceptOrRejectSellersPrice.button.accept=Preis akzeptieren + +# Trade State: Header +bisqEasy.tradeState.header.peer=Handelspartner +bisqEasy.tradeState.header.direction=Ich möchte +bisqEasy.tradeState.header.send=Zu sendender Betrag +bisqEasy.tradeState.header.pay=Zu zahlender Betrag +bisqEasy.tradeState.header.receive=Zu erhaltender Betrag +bisqEasy.tradeState.header.tradeId=Handels-ID + +# Trade State: Phase (left side) +bisqEasy.tradeState.phase1=Kontodetails +bisqEasy.tradeState.phase2=Fiat-Zahlung +bisqEasy.tradeState.phase3=Bitcoin-Überweisung +bisqEasy.tradeState.phase4=Handel abgeschlossen + +# Trade State: Info (right side) + +bisqEasy.tradeState.info.phase3b.balance.help.explorerLookup=Suche nach Transaktion im Block Explorer ''{0}'' +bisqEasy.tradeState.info.phase3b.balance.help.notConfirmed=Transaktion im Mempool gesehen, aber noch nicht bestätigt +bisqEasy.tradeState.info.phase3b.balance.help.confirmed=Transaktion ist bestätigt +bisqEasy.tradeState.info.phase3b.txId.failed=Transaktionssuche zu ''{0}'' fehlgeschlagen mit {1}: ''{2}'' +bisqEasy.tradeState.info.phase3b.button.skip=Warten auf Blockbestätigung überspringen + +bisqEasy.tradeState.info.phase3b.balance.invalid.noOutputsForAddress=Keine passenden Ausgaben in der Transaktion gefunden +bisqEasy.tradeState.info.phase3b.balance.invalid.multipleOutputsForAddress=Mehrere passende Ausgaben in der Transaktion gefunden +bisqEasy.tradeState.info.phase3b.balance.invalid.amountNotMatching=Der Ausgabebetrag aus der Transaktion stimmt nicht mit dem Handelsbetrag überein + +bisqEasy.tradeState.info.phase3b.button.next=Weiter +bisqEasy.tradeState.info.phase3b.button.next.amountNotMatching=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.phase3b.button.next.noOutputForAddress=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.tradeState.info.phase3b.button.next.amountNotMatching.resolved=Ich habe es gelöst + +bisqEasy.tradeState.info.phase3b.txId=Transaktions-ID +bisqEasy.tradeState.info.phase3b.txId.tooltip=Transaktion im Block Explorer öffnen +bisqEasy.tradeState.info.phase3b.lightning.preimage=Preimage + +bisqEasy.tradeState.info.phase4.txId.tooltip=Transaktion im Block Explorer öffnen +bisqEasy.tradeState.info.phase4.exportTrade=Handelsdaten exportieren +bisqEasy.tradeState.info.phase4.leaveChannel=Handel schließen +#################################################################### +# Dynamically created from BitcoinPaymentRail enum name +#################################################################### +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.bitcoinPaymentData.MAIN_CHAIN=Bitcoin-Adresse +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.bitcoinPaymentData.LN=Lightning-Rechnung +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.paymentProof.MAIN_CHAIN=Transaktions-ID +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.paymentProof.LN=Preimage + + +# Trade State Info: Buyer +#################################################################### +# Dynamically created from BitcoinPaymentRail enum name +#################################################################### +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.headline.MAIN_CHAIN=Geben Sie Ihre Bitcoin-Adresse ein +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.description.MAIN_CHAIN=Bitcoin-Adresse +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.prompt.MAIN_CHAIN=Geben Sie Ihre Bitcoin-Adresse ein +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.tradeLogMessage.MAIN_CHAIN={0} hat die Bitcoin-Adresse ''{1}'' gesendet +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.headline.LN=Gib deine Lightning-Rechnung ein +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.description.LN=Lightning-Rechnung +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.prompt.LN=Gib deine Lightning-Rechnung ein +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.tradeLogMessage.LN={0} hat die Lightning-Rechnung „{1}“ gesendet + +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.walletHelp=Wenn Sie noch kein Wallet eingerichtet haben, finden Sie Hilfe im Wallet-Leitfaden +bisqEasy.tradeState.info.buyer.phase1a.walletHelpButton=Wallet-Leitfaden öffnen +bisqEasy.tradeState.info.buyer.phase1a.send=An Verkäufer senden +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.tooltip=QR-Code mit deiner Webcam scannen +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.description=Webcam-Verbindungsstatus +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.connecting=Verbindung zur Webcam wird hergestellt... +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.imageRecognized=Webcam verbunden +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.failed=Verbindung zur Webcam fehlgeschlagen +bisqEasy.tradeState.info.buyer.phase1b.headline=Warten auf die Kontodaten des Verkäufers +bisqEasy.tradeState.info.buyer.phase1b.info=Sie können den untenstehenden Chat nutzen, um mit dem Verkäufer in Kontakt zu treten. + +bisqEasy.tradeState.info.buyer.phase2a.headline=Senden Sie {0} an das Zahlungskonto des Verkäufers +bisqEasy.tradeState.info.buyer.phase2a.quoteAmount=Zu überweisender Betrag +bisqEasy.tradeState.info.buyer.phase2a.sellersAccount=Zahlungskonto des Verkäufers +bisqEasy.tradeState.info.buyer.phase2a.reasonForPaymentInfo=Bitte lassen Sie das Feld 'Zahlungsgrund' leer, falls Sie eine Banküberweisung tätigen +bisqEasy.tradeState.info.buyer.phase2a.confirmFiatSent=Zahlung von {0} bestätigen +bisqEasy.tradeState.info.buyer.phase2a.tradeLogMessage={0} hat die {1}-Zahlung eingeleitet + +bisqEasy.tradeState.info.buyer.phase2b.headline=Warten auf die Bestätigung des Verkäufers über den Zahlungseingang +bisqEasy.tradeState.info.buyer.phase2b.info=Sobald der Verkäufer deine Zahlung von {0} erhalten hat, wird er die Bitcoin-Zahlung an deine angegebene {1} starten. + +bisqEasy.tradeState.info.buyer.phase3a.headline=Warten auf die Bitcoin-Zahlung des Verkäufers +bisqEasy.tradeState.info.buyer.phase3a.info=Der Verkäufer muss die Bitcoin-Zahlung an deine angegebene {0} starten. +bisqEasy.tradeState.info.buyer.phase3b.headline.ln=Der Verkäufer hat die Bitcoin über das Lightning-Netzwerk geschickt +bisqEasy.tradeState.info.buyer.phase3b.info.ln=Ü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.tradeState.info.buyer.phase3b.confirmButton.ln=Empfang bestätigen +bisqEasy.tradeState.info.buyer.phase3b.tradeLogMessage.ln={0} hat bestätigt, die Bitcoin-Zahlung erhalten zu haben +bisqEasy.tradeState.info.buyer.phase3b.headline.MAIN_CHAIN=Der Verkäufer hat die Bitcoin-Zahlung gestartet +bisqEasy.tradeState.info.buyer.phase3b.info.MAIN_CHAIN=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.tradeState.info.buyer.phase3b.balance=Erhaltene Bitcoin +bisqEasy.tradeState.info.buyer.phase3b.balance.prompt=Warten auf Blockchain-Daten... + +# Trade State Info: Seller +bisqEasy.tradeState.info.seller.phase1.headline=Senden Sie Ihre Kontodaten an den Käufer +bisqEasy.tradeState.info.seller.phase1.accountData=Meine Kontodaten +bisqEasy.tradeState.info.seller.phase1.accountData.prompt=Geben Sie Ihre Kontodaten ein. Z.B. IBAN, BIC und Kontoinhabername +bisqEasy.tradeState.info.seller.phase1.buttonText=Kontodaten senden +bisqEasy.tradeState.info.seller.phase1.note=Hinweis: Sie können den untenstehenden Chat nutzen, um mit dem Käufer in Kontakt zu treten, bevor Sie Ihre Kontodaten preisgeben. +bisqEasy.tradeState.info.seller.phase1.tradeLogMessage={0} hat die Kontodaten gesendet:\n{1} + +bisqEasy.tradeState.info.seller.phase2a.waitForPayment.headline=Warten auf die {0} Zahlung des Käufers +bisqEasy.tradeState.info.seller.phase2a.waitForPayment.info=Sobald der Käufer die Zahlung von {0} eingeleitet hat, werden Sie benachrichtigt. + +bisqEasy.tradeState.info.seller.phase2b.headline=Überprüfen Sie, ob Sie {0} erhalten haben +bisqEasy.tradeState.info.seller.phase2b.info=Überprüfe dein Bankkonto oder die App deines Zahlungsanbieters, um den Eingang der Zahlung des Käufers zu bestätigen. + +bisqEasy.tradeState.info.seller.phase2b.fiatReceivedButton=Empfang von {0} bestätigen +bisqEasy.tradeState.info.seller.phase2b.tradeLogMessage={0} hat den Erhalt von {1} bestätigt + +bisqEasy.tradeState.info.seller.phase3a.fiatPaymentReceivedCheckBox=Ich habe bestätigt, {0} erhalten zu haben +bisqEasy.tradeState.info.seller.phase3a.sendBtc=Senden Sie {0} an den Käufer +bisqEasy.tradeState.info.seller.phase3a.baseAmount=Zu sendender Betrag +bisqEasy.tradeState.info.seller.phase3a.qrCodeDisplay.openWindow=Größeres Fenster öffnen +bisqEasy.tradeState.info.seller.phase3a.qrCodeDisplay.window.title=QR-Code für den Handel ''{0}'' scannen +bisqEasy.tradeState.info.seller.phase3b.headline.MAIN_CHAIN=Warten auf Blockchain-Bestätigung +bisqEasy.tradeState.info.seller.phase3b.info.MAIN_CHAIN=Die Bitcoin-Zahlung erfordert mindestens 1 Blockchain-Bestätigung, um als abgeschlossen betrachtet zu werden. +bisqEasy.tradeState.info.seller.phase3b.balance=Bitcoin-Zahlung +bisqEasy.tradeState.info.seller.phase3b.balance.prompt=Warten auf Blockchain-Daten... + +#################################################################### +# Dynamically created from BitcoinPaymentRail enum name +#################################################################### +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.bitcoinPayment.description.MAIN_CHAIN=Bitcoin-Adresse +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.description.MAIN_CHAIN=Transaktions-ID +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.prompt.MAIN_CHAIN=Bitcoin-Transaktions-ID eingeben +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.paymentProof.MAIN_CHAIN=Transaktions-ID +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.bitcoinPayment.description.LN=Lightning Rechnung +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.description.LN=Preimage (optional) +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.prompt.LN=Trage das Preimage ein, falls verf�gbar +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.paymentProof.LN=Preimage + +bisqEasy.tradeState.info.seller.phase3a.btcSentButton=Ich bestätige, {0} gesendet zu haben +bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage={0} hat die Bitcoin-Zahlung gestartet. {1}: ''{2}'' +bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.noProofProvided={0} hat die Bitcoin-Zahlung gestartet. + +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.MAIN_CHAIN=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. +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.LN=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.phase3a.paymentProof.warning.proceed=Warnung ignorieren + +bisqEasy.tradeState.info.seller.phase3b.headline.ln=Auf Bestätigung des Bitcoin-Empfangs durch den Käufer warten +bisqEasy.tradeState.info.seller.phase3b.info.ln=Ü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.tradeState.info.seller.phase3b.confirmButton.ln=Handel abschließen + + +###################################################### +# Trade Completed Table +##################################################### + +bisqEasy.tradeCompleted.title=Handel erfolgreich abgeschlossen +bisqEasy.tradeCompleted.tableTitle=Zusammenfassung +bisqEasy.tradeCompleted.header.tradeWith=Handel mit +bisqEasy.tradeCompleted.header.myDirection.seller=Ich habe verkauft +bisqEasy.tradeCompleted.header.myDirection.buyer=Ich habe gekauft +bisqEasy.tradeCompleted.header.myDirection.btc=Bitcoin +bisqEasy.tradeCompleted.header.myOutcome.seller=Ich habe erhalten +bisqEasy.tradeCompleted.header.myOutcome.buyer=Ich habe bezahlt +bisqEasy.tradeCompleted.header.paymentMethod=Zahlungsmethode +bisqEasy.tradeCompleted.header.tradeId=Handels-ID +bisqEasy.tradeCompleted.body.date=Datum +bisqEasy.tradeCompleted.body.tradePrice=Handelspreis +bisqEasy.tradeCompleted.body.tradeFee=Handelsgebühr +bisqEasy.tradeCompleted.body.tradeFee.value=Keine Handelsgebühren +bisqEasy.tradeCompleted.body.copy.txId.tooltip=Transaktions-ID in die Zwischenablage kopieren +bisqEasy.tradeCompleted.body.copy.explorerLink.tooltip=Kopiere den Transaktionslink im Block-Explorer +bisqEasy.tradeCompleted.body.txId.tooltip=Öffnen Sie den Block-Explorer für die Transaktion + + +################################################################################ +# +# Mediation +# +################################################################################ + +bisqEasy.mediation.request.confirm.headline=Mediation anfordern +bisqEasy.mediation.request.confirm.msg=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.mediation.request.confirm.openMediation=Mediation öffnen +bisqEasy.mediation.request.feedback.headline=Mediation angefordert +bisqEasy.mediation.request.feedback.msg=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.mediation.request.feedback.noMediatorAvailable=Es ist kein Mediator verfügbar. Bitte nutze stattdessen den Support-Chat. +bisqEasy.mediation.requester.tradeLogMessage={0} hat Mediation angefordert diff --git a/shared/domain/src/commonMain/resources/mobile/bisq_easy_es.properties b/shared/domain/src/commonMain/resources/mobile/bisq_easy_es.properties new file mode 100644 index 00000000..772f76a8 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/bisq_easy_es.properties @@ -0,0 +1,804 @@ +#################################################################### +# +# Chat module +# +#################################################################### + +bisqEasy.offerBookChannel.description=Canal de mercado para intercambiar {0} +bisqEasy.mediator=Mediador + + +#################################################################### +# +# Desktop module +# +#################################################################### + + +###################################################### +# Bisq Easy +###################################################### + +bisqEasy.dashboard=Comenzando +bisqEasy.offerbook=Libro de ofertas +bisqEasy.openTrades=Mis compra-ventas en curso + + +###################################################### +# Bisq Easy dashboard +###################################################### + +bisqEasy.onboarding.top.headline=Bisq Easy en 3 minutos +bisqEasy.onboarding.top.content1=Obtén una introducción rápida a Bisq Easy +bisqEasy.onboarding.top.content2=Descubre cómo funciona el proceso de intercambio +bisqEasy.onboarding.top.content3=Aprende sobre las simples reglas de compra-venta +bisqEasy.onboarding.openTradeGuide=Leer la guía de compra-venta +bisqEasy.onboarding.watchVideo=Ver el video +bisqEasy.onboarding.watchVideo.tooltip=Ver video de introducción incrustado + +bisqEasy.onboarding.left.headline=Ideal para principiantes +bisqEasy.onboarding.left.info=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.onboarding.left.button=Iniciar el asistente de compra-venta + +bisqEasy.onboarding.right.headline=Para traders experimentados +bisqEasy.onboarding.right.info=Explora el libro de ofertas para encontrar las mejores ofertas o crea tu propia oferta. +bisqEasy.onboarding.right.button=Abrir el libro de ofertas + + +################################################################################ +# +# Create offer +# +################################################################################ + +bisqEasy.tradeWizard.progress.directionAndMarket=Tipo de oferta +bisqEasy.tradeWizard.progress.price=Precio +bisqEasy.tradeWizard.progress.amount=Cantidad +bisqEasy.tradeWizard.progress.paymentMethods=Métodos de pago +bisqEasy.tradeWizard.progress.takeOffer=Seleccionar oferta +bisqEasy.tradeWizard.progress.review=Revisar + + +################################################################################ +# Create offer / Direction +################################################################################ + +bisqEasy.tradeWizard.directionAndMarket.headline=¿Quieres comprar o vender Bitcoin con +bisqEasy.tradeWizard.directionAndMarket.buy=Comprar Bitcoin +bisqEasy.tradeWizard.directionAndMarket.sell=Vender Bitcoin +bisqEasy.tradeWizard.directionAndMarket.feedback.headline=¿Cómo construir reputación? +bisqEasy.tradeWizard.directionAndMarket.feedback.subTitle1=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.gainReputation=Aprende cómo construir tu reputación +bisqEasy.tradeWizard.directionAndMarket.feedback.subTitle2=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.directionAndMarket.feedback.tradeWithoutReputation=Continuar sin Reputación +bisqEasy.tradeWizard.directionAndMarket.feedback.backToBuy=Atrás + + +################################################################################ +# Create offer / Market +################################################################################ + +bisqEasy.tradeWizard.market.headline.buyer=¿En qué moneda deseas pagar? +bisqEasy.tradeWizard.market.headline.seller=¿En qué moneda deseas recibir el pago? +bisqEasy.tradeWizard.market.subTitle=Elige tu moneda de intercambio +bisqEasy.tradeWizard.market.columns.name=Moneda Fiat +bisqEasy.tradeWizard.market.columns.numOffers=Num. de ofertas +bisqEasy.tradeWizard.market.columns.numPeers=Usuarios en línea + + +################################################################################ +# Create offer / Price +################################################################################ + +bisqEasy.price.headline=¿Cuál es tu precio de intercambio? +bisqEasy.tradeWizard.price.subtitle=Esto puede marcarse como un precio porcentual que fluctúa con el precio de mercado o un precio fijo. +bisqEasy.price.percentage.title=Precio porcentual +bisqEasy.price.percentage.inputBoxText=Porcentaje del precio de mercado entre -10% y 50% +bisqEasy.price.tradePrice.title=Precio fijo +bisqEasy.price.tradePrice.inputBoxText=Precio de la operación en {0} +bisqEasy.price.feedback.sentence=Tu oferta tiene {0} probabilidades de ser aceptada a este precio. +bisqEasy.price.feedback.sentence.veryLow=muy bajas +bisqEasy.price.feedback.sentence.low=bajas +bisqEasy.price.feedback.sentence.some=algunas +bisqEasy.price.feedback.sentence.good=buenas +bisqEasy.price.feedback.sentence.veryGood=muy buenas +bisqEasy.price.feedback.learnWhySection.openButton=¿Por qué? +bisqEasy.price.feedback.learnWhySection.closeButton=Volver a Precio de la Operación +bisqEasy.price.feedback.learnWhySection.title=¿Por qué debería pagar un precio más alto al vendedor? +bisqEasy.price.feedback.learnWhySection.description.intro=La razón es que el vendedor tiene que cubrir gastos adicionales y compensar por su servicio, específicamente: +bisqEasy.price.feedback.learnWhySection.description.exposition=- 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.price.warn.invalidPrice.outOfRange=El precio introducido no está en el rango de -10% a 50%. +bisqEasy.price.warn.invalidPrice.numberFormatException=El precio introducido no es un número válido. +bisqEasy.price.warn.invalidPrice.exception=El precio introducido no es válido.\n\nMensaje de error: {0} + + +################################################################################ +# Create offer / Amount +################################################################################ + +bisqEasy.tradeWizard.amount.headline.buyer=¿Cuánto deseas gastar? +bisqEasy.tradeWizard.amount.headline.seller=¿Cuánto deseas recibir? +bisqEasy.tradeWizard.amount.description.minAmount=Establece el valor mínimo para el rango de cantidad +bisqEasy.tradeWizard.amount.description.maxAmount=Establece el valor máximo para el rango de cantidad +bisqEasy.tradeWizard.amount.description.fixAmount=Establece la cantidad que deseas intercambiar +bisqEasy.tradeWizard.amount.addMinAmountOption=Agregar rango mínimo/máximo para la cantidad +bisqEasy.tradeWizard.amount.removeMinAmountOption=Usar un valor fijo de cantidad +bisqEasy.component.amount.minRangeValue=Mínimo {0} +bisqEasy.component.amount.maxRangeValue=Máximo {0} +bisqEasy.component.amount.baseSide.tooltip.btcAmount.marketPrice=Esta es la cantidad de Bitcoin con el precio de mercado actual. +bisqEasy.component.amount.baseSide.tooltip.btcAmount.selectedPrice=Esta es la cantidad de Bitcoin con el precio que has seleccionado. +bisqEasy.component.amount.baseSide.tooltip.buyerInfo=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.component.amount.baseSide.tooltip.bestOfferPrice=Esta es la cantidad de Bitcoin con el mejor precio\nentre las ofertas coincidentes: {0} +bisqEasy.component.amount.baseSide.tooltip.buyer.btcAmount=Esta es la cantidad de Bitcoin a recibir +bisqEasy.component.amount.baseSide.tooltip.seller.btcAmount=Esta es la cantidad de Bitcoin a gastar +bisqEasy.component.amount.baseSide.tooltip.taker.offerPrice=con el precio de la oferta: {0} + + +bisqEasy.tradeWizard.amount.limitInfo.overlay.headline=Límites de cantidad de comercio basados en la Reputación +bisqEasy.tradeWizard.amount.limitInfo.overlay.close=Cerrar superposición + +bisqEasy.tradeWizard.amount.seller.wizard.numMatchingOffers.info=Hay {0} que coinciden con la cantidad de intercambio elegida. +bisqEasy.tradeWizard.amount.seller.wizard.limitInfo=Con tu Puntuación de Reputación de {0}, puedes intercambiar hasta +bisqEasy.tradeWizard.amount.seller.wizard.limitInfo.overlay.info=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.tradeWizard.amount.seller.limitInfo.scoreTooLow=Con tu Puntuación de Reputación de {0}, el monto de tu intercambio no debe exceder +bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.scoreTooLow=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.takeOffer.amount.seller.limitInfo.lowToleratedAmount=Como el monto de la transacción es inferior a {0}, los requisitos de Reputación se han relajado. +bisqEasy.takeOffer.amount.seller.limitInfo.scoreTooLow=Como tu Puntuación de Reputación es solo {0}, tu cantidad de comercio está restringida a +bisqEasy.takeOffer.amount.seller.limitInfo.overlay.info.scoreTooLow=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.tradeWizard.amount.seller.limitInfo.sufficientScore=Tu Puntuación de Reputación de {0} proporciona seguridad para ofertas de hasta +bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.sufficientScore=Con una Puntuación de Reputación de {0}, proporcionas seguridad para intercambios de hasta {1}. + +bisqEasy.tradeWizard.amount.seller.limitInfo.inSufficientScore=La seguridad proporcionada por tu Puntuación de Reputación de {0} es insuficiente para ofertas superiores a +bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.inSufficientScore=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.amount.seller.limitInfoAmount={0}. +bisqEasy.tradeWizard.amount.seller.limitInfo.link=Aprender más + + +bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.linkToWikiText=Para más detalles sobre el sistema de Reputación, visita la Wiki de Bisq en: + +bisqEasy.tradeWizard.amount.seller.limitInfo.noReputationNeededForMaxOrFixedAmount=Para montos de hasta {0} no se requiere Reputación. +bisqEasy.tradeWizard.amount.seller.limitInfo.noReputationNeededForMaxOrFixedAmount.overlay.info.scoreTooLow=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.tradeWizard.amount.buyer.limitInfo.learnMore=Aprender más + +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.buyer.numSellers.0=no hay ningún vendedor +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.buyer.numSellers.1=hay un vendedor +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.buyer.numSellers.*=hay {0} vendedores + +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.numOffers.0=no hay oferta +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.numOffers.1=es una oferta +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.numOffers.*=hay {0} ofertas + +bisqEasy.tradeWizard.amount.buyer.limitInfo=Hay {0} en la red con suficiente Reputación para aceptar una oferta de {1}. +bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.info=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.tradeWizard.amount.buyer.limitInfo.wizard.info.leadLine=Hay {0} que coinciden con la cantidad de intercambio elegida. +bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.info=Para ofertas de hasta {0}, los requisitos de Reputación son más flexibles. +bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.overlay.info=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.amount.buyer.limitInfo.noReputationNeededForMaxOrFixedAmount=Los vendedores sin Reputación pueden aceptar ofertas de hasta {0}. +bisqEasy.tradeWizard.amount.buyer.limitInfo.noReputationNeededForMaxOrFixedAmount.riskInfo=Asegúrate de comprender completamente los riesgos involucrados. +bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.noReputationNeededForMaxOrFixedAmount.info=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.tradeWizard.amount.buyer.limitInfo.overlay.linkToWikiText=Para obtener más información sobre el sistema de Reputación, visita: + + +bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo.leadLine=Dado que tu cantidad mínima está por debajo de {0}, los vendedores sin Reputación pueden aceptar tu oferta. +bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo=Para el monto máximo de {0} hay {1} con suficiente Reputación para aceptar tu oferta. +bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo.overlay.info=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. + + +################################################################################ +# Create offer / Payment methods +################################################################################ + +bisqEasy.tradeWizard.paymentMethods.headline=¿Qué métodos de pago y transferencia quieres utilizar? +bisqEasy.tradeWizard.paymentMethods.fiat.subTitle.buyer=Elige los métodos de pago para enviar {0} +bisqEasy.tradeWizard.paymentMethods.fiat.subTitle.seller=Elige los métodos de pago para recibir {0} +bisqEasy.tradeWizard.paymentMethods.bitcoin.subTitle.buyer=Elige el método de transferencia para recibir Bitcoin +bisqEasy.tradeWizard.paymentMethods.bitcoin.subTitle.seller=Elige el método de transferencia para enviar Bitcoin +bisqEasy.tradeWizard.paymentMethods.noneFound=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.paymentMethods.customMethod.prompt=Método de pago personalizado +bisqEasy.tradeWizard.paymentMethods.warn.maxMethodsReached=No puedes agregar más de 4 métodos de pago. +bisqEasy.tradeWizard.paymentMethods.warn.tooLong=El nombre de tu método de pago personalizado no puede tener más de 20 caracteres. +bisqEasy.tradeWizard.paymentMethods.warn.customPaymentMethodAlreadyExists=Ya existe un método de pago personalizado con el nombre {0}. +bisqEasy.tradeWizard.paymentMethods.warn.customNameMatchesPredefinedMethod=El nombre de tu método de pago personalizado no puede ser igual que uno de los predefinidos. +bisqEasy.tradeWizard.paymentMethods.warn.noFiatPaymentMethodSelected=Por favor, elige al menos un método de pago fiat. +bisqEasy.tradeWizard.paymentMethods.warn.noBtcSettlementMethodSelected=Por favor, elige al menos un método de transferencia de Bitcoin + + +################################################################################ +# TradeWizard / Select offer +################################################################################ + +bisqEasy.tradeWizard.selectOffer.headline.buyer=Comprar Bitcoin por {0} +bisqEasy.tradeWizard.selectOffer.headline.seller=Vender Bitcoin por {0} +bisqEasy.tradeWizard.selectOffer.subHeadline=Se recomienda intercambiar con usuarios con alta reputación. +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.headline=No se encontraron ofertas coincidentes +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.subHeadline=No hay ofertas disponibles para tus criterios de selección. +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.goBack=Cambiar selección +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.goBack.info=Vuelve a las pantallas anteriores y cambia la selección +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.browseOfferbook=Explorar el libro de ofertas +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.browseOfferbook.info=Cierra el asistente de intercambio y explora el libro de ofertas + + +################################################################################ +# TradeWizard / Review +################################################################################ + +bisqEasy.tradeWizard.review.headline.maker=Revisar oferta +bisqEasy.tradeWizard.review.headline.taker=Revisar orden +bisqEasy.tradeWizard.review.detailsHeadline.taker=Detalles del intercambio +bisqEasy.tradeWizard.review.detailsHeadline.maker=Detalles de la oferta +bisqEasy.tradeWizard.review.feeDescription=Comisiones +bisqEasy.tradeWizard.review.noTradeFees=No hay comisiones de intercambio en Bisq Easy +bisqEasy.tradeWizard.review.sellerPaysMinerFeeLong=El vendedor paga la tarifa de minería +bisqEasy.tradeWizard.review.sellerPaysMinerFee=El vendedor paga la tarifa de minería +bisqEasy.tradeWizard.review.noTradeFeesLong=No hay tarifas de intercambio en Bisq Easy + +bisqEasy.tradeWizard.review.toPay=Cantidad a pagar +bisqEasy.tradeWizard.review.toSend=Cantidad a enviar +bisqEasy.tradeWizard.review.toReceive=Cantidad a recibir +bisqEasy.tradeWizard.review.direction={0} Bitcoin +bisqEasy.tradeWizard.review.paymentMethodDescription.btc=Método de transferencia en Bitcoin +bisqEasy.tradeWizard.review.paymentMethodDescriptions.btc.maker=Métodos de transferencia en Bitcoin +bisqEasy.tradeWizard.review.paymentMethodDescriptions.btc.taker=Seleccionar método de transferencia en Bitcoin +bisqEasy.tradeWizard.review.paymentMethodDescription.fiat=Método de pago en fiat +bisqEasy.tradeWizard.review.paymentMethodDescriptions.fiat.maker=Métodos de pago en fiat +bisqEasy.tradeWizard.review.paymentMethodDescriptions.fiat.taker=Seleccionar método de pago en fiat +bisqEasy.tradeWizard.review.price={0} <{1} style=intercambio-wizard-review-code> + +bisqEasy.tradeWizard.review.priceDescription.taker=Precio de intercambio +bisqEasy.tradeWizard.review.priceDescription.maker=Precio de la oferta +bisqEasy.tradeWizard.review.priceDetails.fix=Precio fijo. {0} {1} precio de mercado de {2} +bisqEasy.tradeWizard.review.priceDetails.fix.atMarket=Precio fijo. Igual al precio de mercado de {0} +bisqEasy.tradeWizard.review.priceDetails.float=Precio flotante. {0} {1} precio de mercado de {2} +bisqEasy.tradeWizard.review.priceDetails=Fluctúa con el precio de mercado +bisqEasy.tradeWizard.review.nextButton.createOffer=Crear oferta +bisqEasy.tradeWizard.review.nextButton.takeOffer=Confirmar intercambio + +bisqEasy.tradeWizard.review.createOfferSuccess.headline=Oferta publicada con éxito +bisqEasy.tradeWizard.review.createOfferSuccess.subTitle=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.tradeWizard.review.createOfferSuccessButton=Mostrar mi oferta en 'Libro de Ofertas' + +bisqEasy.tradeWizard.review.takeOfferSuccess.headline=Has tomado la oferta con éxito +bisqEasy.tradeWizard.review.takeOfferSuccess.subTitle=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.tradeWizard.review.takeOfferSuccessButton=Mostrar intercambio en 'Compra-ventas en curso' + + +################################################################################ +# Create offer / Review +################################################################################# + +bisqEasy.tradeWizard.review.table.baseAmount.buyer=Tú recibes +bisqEasy.tradeWizard.review.table.baseAmount.seller=Tú gastas +bisqEasy.tradeWizard.review.table.price=Precio en {0} +bisqEasy.tradeWizard.review.table.reputation=Reputación +bisqEasy.tradeWizard.review.chatMessage.fixPrice={0} +bisqEasy.tradeWizard.review.chatMessage.floatPrice.above={0} por encima del precio de mercado +bisqEasy.tradeWizard.review.chatMessage.floatPrice.below={0} por debajo del precio de mercado +bisqEasy.tradeWizard.review.chatMessage.marketPrice=Precio de mercado +bisqEasy.tradeWizard.review.chatMessage.price=Precio: +bisqEasy.tradeWizard.review.chatMessage.peerMessage.sell=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.tradeWizard.review.chatMessage.peerMessage.buy=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.tradeWizard.review.chatMessage.offerDetails=Cantidad: {0}\nMétodo(s) de transferencia en Bitcoin: {1}\nMétodo(s) de pago en fiat: {2}\n{3} +bisqEasy.tradeWizard.review.chatMessage.peerMessageTitle.sell=Vender Bitcoin a +bisqEasy.tradeWizard.review.chatMessage.peerMessageTitle.buy=Comprar Bitcoin de +bisqEasy.tradeWizard.review.chatMessage.myMessageTitle=Mi oferta para {0} Bitcoin + + +################################################################################ +# +# Take offer +# +################################################################################ + +bisqEasy.takeOffer.progress.amount=Cantidad del intercambio +bisqEasy.takeOffer.progress.method=Método de pago +bisqEasy.takeOffer.progress.review=Revisar intercambio + +bisqEasy.takeOffer.amount.headline.buyer=¿Cuánto deseas gastar? +bisqEasy.takeOffer.amount.headline.seller=¿Cuánto deseas intercambiar? +bisqEasy.takeOffer.amount.description=La oferta permite que elijas una cantidad de intercambio\nentre {0} y {1} +bisqEasy.takeOffer.amount.description.limitedByTakersReputation=Tu Puntuación de Reputación de {0} te permite elegir un monto de intercambio\nentre {1} y {2} + +bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMax=La Puntuación de Reputación del vendedor es solo {0}. No se recomienda intercambiar más de +bisqEasy.takeOffer.amount.buyer.limitInfoAmount={0}. +bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMax.overlay.info=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.takeOffer.amount.buyer.limitInfo.minAmountCovered=La Puntuación de Reputación del vendedor de {0} proporciona seguridad hasta +bisqEasy.takeOffer.amount.buyer.limitInfo.minAmountCovered.overlay.info=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.takeOffer.amount.buyer.limitInfo.minAmountNotCovered=La Puntuación de Reputación del vendedor de {0} no proporciona suficiente seguridad para esa oferta. +bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMin.overlay.info=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.takeOffer.amount.buyer.limitInfo.learnMore=Aprender más +bisqEasy.takeOffer.amount.buyer.limitInfo.overlay.linkToWikiText=Para obtener más información sobre el sistema de Reputación, visita: + +bisqEasy.takeOffer.paymentMethods.headline.fiat=¿Qué método de pago quieres utilizar? +bisqEasy.takeOffer.paymentMethods.headline.fiatAndBitcoin=¿Qué método de pago y transferencia quieres utilizar? +bisqEasy.takeOffer.paymentMethods.headline.bitcoin=¿Qué método de transferencia quieres utilizar? +bisqEasy.takeOffer.paymentMethods.subtitle.fiat.buyer=Elige un método de pago para enviar {0} +bisqEasy.takeOffer.paymentMethods.subtitle.fiat.seller=Elige un método de pago para recibir {0} +bisqEasy.takeOffer.paymentMethods.subtitle.bitcoin.buyer=Elige un método de transferencia para recibir Bitcoin +bisqEasy.takeOffer.paymentMethods.subtitle.bitcoin.seller=Elige un método de transferencia para enviar Bitcoin + +bisqEasy.takeOffer.review.headline=Revisar orden +bisqEasy.takeOffer.review.detailsHeadline=Detalles del intercambio +bisqEasy.takeOffer.review.method.fiat=Método de pago en fiat +bisqEasy.takeOffer.review.method.bitcoin=Método de transferencia en Bitcoin +bisqEasy.takeOffer.review.price.price=Precio del intercambio +bisqEasy.takeOffer.review.noTradeFees=No hay comisiones de transacción en Bisq Easy +bisqEasy.takeOffer.review.sellerPaysMinerFeeLong=El vendedor paga la comisión de minería +bisqEasy.takeOffer.review.sellerPaysMinerFee=El vendedor paga la comisión de minería +bisqEasy.takeOffer.review.noTradeFeesLong=No hay comisiones de intercambio en Bisq Easy +bisqEasy.takeOffer.review.takeOffer=Confirmar la toma de la oferta +bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.headline=Enviando mensaje tomar-oferta +bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.subTitle=Enviar el mensaje tomar-oferta puede llevar hasta 2 minutos +bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.info=No cierres la ventana de la aplicación hasta que veas la confirmación de que el mensaje se ha enviado correctamente. +bisqEasy.takeOffer.review.takeOfferSuccess.headline=Has tomado la oferta con éxito +bisqEasy.takeOffer.review.takeOfferSuccess.subTitle=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.takeOffer.review.takeOfferSuccessButton=Mostrar intercambio en 'Intercambios Abiertos' +bisqEasy.takeOffer.tradeLogMessage={0} ha enviado un mensaje para aceptar la oferta de {1} + +bisqEasy.takeOffer.noMediatorAvailable.warning=No hay un mediador disponible. Debes usar el chat de soporte en su lugar. +bisqEasy.takeOffer.makerBanned.warning=El creador de esta oferta está baneado. Por favor, intenta usar una oferta diferente. +# suppress inspection "UnusedProperty" +bisqEasy.takeOffer.bitcoinPaymentData.warning.MAIN_CHAIN=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. +# suppress inspection "UnusedProperty" +bisqEasy.takeOffer.bitcoinPaymentData.warning.LN=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.takeOffer.bitcoinPaymentData.warning.proceed=Ignorar aviso + + +################################################################################ +# +# TradeGuide +# +################################################################################ + +bisqEasy.tradeGuide.tabs.headline=Guía de intercambio +bisqEasy.tradeGuide.welcome=Visión general +bisqEasy.tradeGuide.security=Seguridad +bisqEasy.tradeGuide.process=Proceso +bisqEasy.tradeGuide.rules=Reglas de intercambio + +bisqEasy.tradeGuide.welcome.headline=Cómo intercambiar en Bisq Easy +bisqEasy.tradeGuide.welcome.content=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.tradeGuide.security.headline=¿Qué tan seguro es intercambiar en Bisq Easy? +bisqEasy.tradeGuide.security.content=- 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.tradeGuide.process.headline=¿Cómo funciona el proceso de intercambio? +bisqEasy.tradeGuide.process.content=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.tradeGuide.process.steps=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.tradeGuide.rules.headline=¿Qué necesitas saber sobre las reglas de intercambio? +bisqEasy.tradeGuide.rules.content=- 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.tradeGuide.rules.confirm=He leído y comprendido + +bisqEasy.tradeGuide.notConfirmed.warn=Lee la guía de intercambio y confirma que la has leído y comprendido. +bisqEasy.tradeGuide.open=Abrir guía de intercambio + + +################################################################################ +# WalletGuide +################################################################################ + +bisqEasy.walletGuide.open=Abrir guía de billetera + +bisqEasy.walletGuide.tabs.headline=Guía de billetera +bisqEasy.walletGuide.intro=Introducción +bisqEasy.walletGuide.download=Descargar +bisqEasy.walletGuide.createWallet=Nueva billetera +bisqEasy.walletGuide.receive=Recibiendo + +bisqEasy.walletGuide.intro.headline=Prepárate para recibir tu primer Bitcoin +bisqEasy.walletGuide.intro.content=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.walletGuide.download.headline=Descargar tu cartera +bisqEasy.walletGuide.download.content=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.walletGuide.download.link=Haz clic aquí para visitar la página de Bluewallet + +bisqEasy.walletGuide.createWallet.headline=Creando tu nueva cartera +bisqEasy.walletGuide.createWallet.content=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.walletGuide.receive.headline=Recibir Bitcoin en tu cartera +bisqEasy.walletGuide.receive.content=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.walletGuide.receive.link1=Tutorial de Bluewallet de Anita Posch +bisqEasy.walletGuide.receive.link2=Tutorial de Bluewallet de BTC Sessions + + +###################################################### +# Offerbook +###################################################### + +bisqEasy.offerbook.markets=Mercados +bisqEasy.offerbook.markets.CollapsedList.Tooltip=Expandir mercados +bisqEasy.offerbook.markets.ExpandedList.Tooltip=Contraer mercados +bisqEasy.offerbook.marketListCell.numOffers.one={0} oferta +bisqEasy.offerbook.marketListCell.numOffers.many={0} ofertas +bisqEasy.offerbook.marketListCell.numOffers.tooltip.none=Aún no hay ofertas disponibles en el mercado {0} +bisqEasy.offerbook.marketListCell.numOffers.tooltip.one={0} oferta disponible en el mercado {1} +bisqEasy.offerbook.marketListCell.numOffers.tooltip.many={0} ofertas disponibles en el mercado {1} +bisqEasy.offerbook.marketListCell.favourites.tooltip.addToFavourites=Añadir a favoritos +bisqEasy.offerbook.marketListCell.favourites.tooltip.removeFromFavourites=Eliminar de favoritos +bisqEasy.offerbook.marketListCell.favourites.maxReached.popup=Solo hay espacio para 5 favoritos. Elimina un favorito e inténtalo de nuevo. + +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.tooltip=Ordenar y filtrar +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.sortTitle=Ordenar por: +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.mostOffers=Mayoría de ofertas +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.nameAZ=Nombre A-Z +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.nameZA=Nombre Z-A +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.filterTitle=Mostrar mercados: +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.withOffers=Con ofertas +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.favourites=Solo favoritos +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.all=Todo + +bisqEasy.offerbook.chatMessage.deleteOffer.confirmation=¿Estás seguro de querer borrar esta oferta? +bisqEasy.offerbook.chatMessage.deleteMessage.confirmation=¿Estás seguro de que quieres eliminar este mensaje? + +bisqEasy.offerbook.offerList=Lista de ofertas +bisqEasy.offerbook.offerList.collapsedList.tooltip=Expandir lista de ofertas +bisqEasy.offerbook.offerList.expandedList.tooltip=Contraer lista de ofertas +bisqEasy.offerbook.offerList.table.columns.peerProfile=Perfil del usuario +bisqEasy.offerbook.offerList.table.columns.price=Precio +bisqEasy.offerbook.offerList.table.columns.fiatAmount=Cantidad de {0} +bisqEasy.offerbook.offerList.table.columns.paymentMethod=Pago +bisqEasy.offerbook.offerList.table.columns.settlementMethod=Transferencia +bisqEasy.offerbook.offerList.table.filters.offerDirection.buyFrom=Comprar de +bisqEasy.offerbook.offerList.table.filters.offerDirection.sellTo=Vender a +bisqEasy.offerbook.offerList.table.filters.paymentMethods.title=Pagos ({0}) +bisqEasy.offerbook.offerList.table.filters.paymentMethods.title.all=Todo +bisqEasy.offerbook.offerList.table.filters.paymentMethods.customPayments=Pagos personalizados +bisqEasy.offerbook.offerList.table.filters.paymentMethods.clearFilters=Quitar filtros +bisqEasy.offerbook.offerList.table.filters.showMyOffersOnly=Solo mis ofertas + +bisqEasy.offerbook.offerList.table.columns.price.tooltip.fixPrice=Precio fijo: {0}\nPorcentaje respecto a precio de mercado: {1} +bisqEasy.offerbook.offerList.table.columns.price.tooltip.marketPrice=Precio de mercado: {0} +bisqEasy.offerbook.offerList.table.columns.price.tooltip.floatPrice=Porcentaje de precio {0}\nCon precio de mercado actual: {1} + + +###################################################### +# Open trades +###################################################### + +bisqEasy.openTrades.table.headline=Mis compra-ventas en curso +bisqEasy.openTrades.noTrades=No tienes ninguna operación abierta +bisqEasy.openTrades.rejectTrade=Rechazar intercambio +bisqEasy.openTrades.cancelTrade=Cancelar intercambio +bisqEasy.openTrades.tradeLogMessage.rejected={0} rechazó la operación +bisqEasy.openTrades.tradeLogMessage.cancelled={0} canceló la operación +bisqEasy.openTrades.rejectTrade.warning=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.openTrades.cancelTrade.warning.buyer=Dado que el intercambio de detalles de cuenta ya se produjo, cancelar la operación sin que el vendedor {0} +bisqEasy.openTrades.cancelTrade.warning.seller=Dado que el intercambio de detalles de cuenta ya se produjo, cancelar la operación sin que el comprador {0} + +bisqEasy.openTrades.cancelTrade.warning.part2=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.openTrades.closeTrade.warning.interrupted=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.openTrades.closeTrade.warning.completed=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.openTrades.closeTrade=Cerrar intercambio +bisqEasy.openTrades.confirmCloseTrade=Confirmar cierre de intercambio +bisqEasy.openTrades.exportTrade=Exportar datos de la operación +bisqEasy.openTrades.reportToMediator=Informar al mediador +bisqEasy.openTrades.rejected.self=Tú has rechazado la operación +bisqEasy.openTrades.rejected.peer=Tu compañero de comercio ha rechazado la operación +bisqEasy.openTrades.cancelled.self=Tú has cancelado la operación +bisqEasy.openTrades.cancelled.peer=Tu compañero de intercambio ha cancelado la operación +bisqEasy.openTrades.inMediation.info=Un mediador se ha unido al chat de intercambio. Utiliza el chat de intercambio a continuación para obtener asistencia del mediador. +bisqEasy.openTrades.failed=El intercambio falló con el mensaje de error: {0} +bisqEasy.openTrades.failed.popup=El intercambio falló debido a un error.\nMensaje de error: {0}\n\nRastreo de stack: {1} +bisqEasy.openTrades.failedAtPeer=El intercambio del par falló con un error causado por: {0} +bisqEasy.openTrades.failedAtPeer.popup=El intercambio del par falló debido a un error.\nError causado por: {0}\n\nRastreo de pila: {1} +bisqEasy.openTrades.table.tradePeer=Compañero de intercambio +bisqEasy.openTrades.table.me=Yo +bisqEasy.openTrades.table.mediator=Mediador +bisqEasy.openTrades.table.tradeId=ID de la operación +bisqEasy.openTrades.table.price=Precio +bisqEasy.openTrades.table.baseAmount=Cantidad en BTC +bisqEasy.openTrades.table.quoteAmount=Cantidad +bisqEasy.openTrades.table.paymentMethod=Pago +bisqEasy.openTrades.table.paymentMethod.tooltip=Método de pago fiat: {0} +bisqEasy.openTrades.table.settlementMethod=Transferencia +bisqEasy.openTrades.table.settlementMethod.tooltip=Método de transferencia de Bitcoin: {0} +bisqEasy.openTrades.table.makerTakerRole=Mi rol +bisqEasy.openTrades.table.direction.buyer=Comprando de: +bisqEasy.openTrades.table.direction.seller=Vendiendo a: +bisqEasy.openTrades.table.makerTakerRole.maker=Creador +bisqEasy.openTrades.table.makerTakerRole.taker=Tomador +bisqEasy.openTrades.csv.quoteAmount=Cantidad en {0} +bisqEasy.openTrades.csv.txIdOrPreimage=ID de transacción/Preimagen +bisqEasy.openTrades.csv.receiverAddressOrInvoice=Dirección del receptor/Factura +bisqEasy.openTrades.csv.paymentMethod=Método de pago + +bisqEasy.openTrades.chat.peer.description=Compañero de chat +bisqEasy.openTrades.chat.detach=Desconectar +bisqEasy.openTrades.chat.detach.tooltip=Abrir chat en una nueva ventana +bisqEasy.openTrades.chat.attach=Restaurar +bisqEasy.openTrades.chat.attach.tooltip=Restaurar chat de nuevo en la ventana principal +bisqEasy.openTrades.chat.window.title={0} - Chat con {1} / ID de operación: {2} +bisqEasy.openTrades.chat.peerLeft.headline={0} ha abandonado la operación +bisqEasy.openTrades.chat.peerLeft.subHeadline=Si la operación no se ha completado por tu parte y necesitas ayuda, contacta al mediador o visita el chat de soporte. + +###################################################### +# Private chat +###################################################### + +bisqEasy.privateChats.leave=Salir del chat +bisqEasy.privateChats.table.myUser=Mi perfil + + +###################################################### +# Top pane +###################################################### + +# Commented out in code +# suppress inspection "UnusedProperty" +bisqEasy.topPane.filter=Filtrar el libro de ofertas +# Commented out in code +# suppress inspection "UnusedProperty" +bisqEasy.topPane.closeFilter=Cerrar filtro +bisqEasy.topPane.filter.offersOnly=Mostrar solo ofertas en el libro de ofertas de Bisq Easy + + +################################################################################ +# +# BisqEasyOfferDetails +# +################################################################################ + +bisqEasy.offerDetails.headline=Detalles de la oferta +bisqEasy.offerDetails.buy=Oferta para comprar Bitcoin +bisqEasy.offerDetails.sell=Oferta para vender Bitcoin + +bisqEasy.offerDetails.direction=Tipo de oferta +bisqEasy.offerDetails.baseSideAmount=Cantidad de Bitcoin +bisqEasy.offerDetails.quoteSideAmount={0} cantidad +bisqEasy.offerDetails.price={0} precio de la oferta +bisqEasy.offerDetails.priceValue={0} (premium: {1}) +bisqEasy.offerDetails.paymentMethods=Método(s) de pago admitido(s) +bisqEasy.offerDetails.id=ID de la oferta +bisqEasy.offerDetails.date=Fecha de creación +bisqEasy.offerDetails.makersTradeTerms=Términos comerciales del creador + + +################################################################################ +# +# OpenTradesWelcome +# +################################################################################ + +bisqEasy.openTrades.welcome.headline=Bienvenido a tu primer intercambio en Bisq Easy +bisqEasy.openTrades.welcome.info=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.openTrades.welcome.line1=Conoce el modelo de seguridad de Bisq Easy +bisqEasy.openTrades.welcome.line2=Descubre cómo funciona el proceso de intercambio +bisqEasy.openTrades.welcome.line3=Familiarízate con las reglas de intercambio + + +################################################################################ +# +# TradeState +# +################################################################################ + +bisqEasy.tradeState.requestMediation=Solicitar mediación +bisqEasy.tradeState.reportToMediator=Informar al mediador +bisqEasy.tradeState.acceptOrRejectSellersPrice.title=¡Atención al cambio de precio! +bisqEasy.tradeState.acceptOrRejectSellersPrice.description.buyersPrice=Tu precio de oferta para comprar Bitcoin era {0}. +bisqEasy.tradeState.acceptOrRejectSellersPrice.description.sellersPrice=Sin embargo, el vendedor te ofrece un precio diferente: {0}. +bisqEasy.tradeState.acceptOrRejectSellersPrice.description.question=¿Quieres aceptar este nuevo precio o deseas rechazar/cancelar* la operación? +bisqEasy.tradeState.acceptOrRejectSellersPrice.description.disclaimer=(*Nota que en este caso específico, cancelar la operación NO será considerado una violación de las reglas de comercio.) +bisqEasy.tradeState.acceptOrRejectSellersPrice.button.accept=Aceptar precio + +# Trade State: Header +bisqEasy.tradeState.header.peer=Compañero de intercambio +bisqEasy.tradeState.header.direction=Quiero +bisqEasy.tradeState.header.send=Cantidad a enviar +bisqEasy.tradeState.header.pay=Cantidad a pagar +bisqEasy.tradeState.header.receive=Cantidad a recibir +bisqEasy.tradeState.header.tradeId=ID de intercambio + +# Trade State: Phase (left side) +bisqEasy.tradeState.phase1=Detalles de la cuenta +bisqEasy.tradeState.phase2=Pago en fiat +bisqEasy.tradeState.phase3=Transferencia de Bitcoin +bisqEasy.tradeState.phase4=Intercambio completado + +# Trade State: Info (right side) + +bisqEasy.tradeState.info.phase3b.balance.help.explorerLookup=Buscando transacción en el explorador de bloques ''{0}'' +bisqEasy.tradeState.info.phase3b.balance.help.notConfirmed=Transacción vista en el mempool pero aún no confirmada +bisqEasy.tradeState.info.phase3b.balance.help.confirmed=Transacción confirmada +bisqEasy.tradeState.info.phase3b.txId.failed=La búsqueda de la transacción en ''{0}'' falló con {1}: ''{2}'' +bisqEasy.tradeState.info.phase3b.button.skip=Omitir espera por confirmación de bloque + +bisqEasy.tradeState.info.phase3b.balance.invalid.noOutputsForAddress=No se han encontrado salidas que coincidan en la transacción +bisqEasy.tradeState.info.phase3b.balance.invalid.multipleOutputsForAddress=Múltiples salidas de la transacción coinciden +bisqEasy.tradeState.info.phase3b.balance.invalid.amountNotMatching=La cantidad saliente de la transacción no es igual a la cantidad de la compra-venta + +bisqEasy.tradeState.info.phase3b.button.next=Siguiente +bisqEasy.tradeState.info.phase3b.button.next.amountNotMatching=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.phase3b.button.next.noOutputForAddress=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.tradeState.info.phase3b.button.next.amountNotMatching.resolved=Sí, lo he resuelto + +bisqEasy.tradeState.info.phase3b.txId=ID de transacción +bisqEasy.tradeState.info.phase3b.txId.tooltip=Abrir transacción en el explorador de bloques +bisqEasy.tradeState.info.phase3b.lightning.preimage=Preimagen + +bisqEasy.tradeState.info.phase4.txId.tooltip=Abrir transacción en el explorador de bloques +bisqEasy.tradeState.info.phase4.exportTrade=Exportar datos de la operación +bisqEasy.tradeState.info.phase4.leaveChannel=Cerrar intercambio +#################################################################### +# Dynamically created from BitcoinPaymentRail enum name +#################################################################### +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.bitcoinPaymentData.MAIN_CHAIN=Dirección de Bitcoin +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.bitcoinPaymentData.LN=Factura de Lightning +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.paymentProof.MAIN_CHAIN=ID de la transacción +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.paymentProof.LN=Preimagen + + +# Trade State Info: Buyer +#################################################################### +# Dynamically created from BitcoinPaymentRail enum name +#################################################################### +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.headline.MAIN_CHAIN=Introduce tu dirección de Bitcoin +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.description.MAIN_CHAIN=Dirección de Bitcoin +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.prompt.MAIN_CHAIN=Introduce tu dirección de Bitcoin +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.tradeLogMessage.MAIN_CHAIN={0} ha enviado la dirección de Bitcoin ''{1}'' +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.headline.LN=Introduce tu factura de Lightning +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.description.LN=Factura de Lightning +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.prompt.LN=Introduce tu factura de Lightning +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.tradeLogMessage.LN={0} ha enviado la factura de Lightning ''{1}'' + +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.walletHelp=Si aún no has configurado una cartera, puedes encontrar ayuda en la guía de carteras +bisqEasy.tradeState.info.buyer.phase1a.walletHelpButton=Abrir guía de carteras +bisqEasy.tradeState.info.buyer.phase1a.send=Enviar al vendedor +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.tooltip=Escanea el código QR usando tu cámara web +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.description=Estado de la conexión de la cámara web +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.connecting=Conectando a la cámara web... +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.imageRecognized=Cámara web conectada +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.failed=Error al conectar con la cámara web +bisqEasy.tradeState.info.buyer.phase1b.headline=Esperar los datos de la cuenta de pago del vendedor +bisqEasy.tradeState.info.buyer.phase1b.info=Puedes usar el chat a continuación para ponerte en contacto con el vendedor. + +bisqEasy.tradeState.info.buyer.phase2a.headline=Enviar {0} a la cuenta de pago del vendedor +bisqEasy.tradeState.info.buyer.phase2a.quoteAmount=Cantidad a transferir +bisqEasy.tradeState.info.buyer.phase2a.sellersAccount=Cuenta de pago del vendedor +bisqEasy.tradeState.info.buyer.phase2a.reasonForPaymentInfo=Por favor, deja el campo 'Motivo del pago' vacío, en caso de que realices una transferencia bancaria +bisqEasy.tradeState.info.buyer.phase2a.confirmFiatSent=Confirmar pago de {0} +bisqEasy.tradeState.info.buyer.phase2a.tradeLogMessage={0} inició el pago de {1} + +bisqEasy.tradeState.info.buyer.phase2b.headline=Esperar a que el vendedor confirme la recepción del pago +bisqEasy.tradeState.info.buyer.phase2b.info=Una vez que el vendedor haya recibido tu pago de {0}, iniciará el pago en Bitcoin a tu {1} proporcionado. + +bisqEasy.tradeState.info.buyer.phase3a.headline=Espera el pago en Bitcoin del vendedor +bisqEasy.tradeState.info.buyer.phase3a.info=El vendedor necesita iniciar el pago en Bitcoin a tu {0} proporcionado. +bisqEasy.tradeState.info.buyer.phase3b.headline.ln=El vendedor ha enviado el Bitcoin a través de la red Lightning +bisqEasy.tradeState.info.buyer.phase3b.info.ln=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.tradeState.info.buyer.phase3b.confirmButton.ln=Confirmar recepción +bisqEasy.tradeState.info.buyer.phase3b.tradeLogMessage.ln={0} ha confirmado haber recibido el pago en Bitcoin +bisqEasy.tradeState.info.buyer.phase3b.headline.MAIN_CHAIN=El vendedor ha iniciado el pago en Bitcoin +bisqEasy.tradeState.info.buyer.phase3b.info.MAIN_CHAIN=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.tradeState.info.buyer.phase3b.balance=Bitcoin recibido +bisqEasy.tradeState.info.buyer.phase3b.balance.prompt=Esperando datos de la cadena de bloques... + +# Trade State Info: Seller +bisqEasy.tradeState.info.seller.phase1.headline=Enviar tus datos de cuenta de pago al comprador +bisqEasy.tradeState.info.seller.phase1.accountData=Mis datos de cuenta de pago +bisqEasy.tradeState.info.seller.phase1.accountData.prompt=Introduce tus datos de cuenta de pago. Por ejemplo, IBAN, BIC y nombre del titular de la cuenta +bisqEasy.tradeState.info.seller.phase1.buttonText=Enviar datos de cuenta +bisqEasy.tradeState.info.seller.phase1.note=Nota: Puedes usar el chat a continuación para ponerte en contacto con el comprador antes de revelar tus datos de cuenta. +bisqEasy.tradeState.info.seller.phase1.tradeLogMessage={0} ha enviado los datos de la cuenta de pago:\n{1} + +bisqEasy.tradeState.info.seller.phase2a.waitForPayment.headline=Esperar el pago de {0} del comprador +bisqEasy.tradeState.info.seller.phase2a.waitForPayment.info=Una vez que el comprador haya iniciado el pago de {0}, recibirás una notificación. + +bisqEasy.tradeState.info.seller.phase2b.headline=Verificar si has recibido {0} +bisqEasy.tradeState.info.seller.phase2b.info=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.seller.phase2b.fiatReceivedButton=Confirmar recepción de {0} +bisqEasy.tradeState.info.seller.phase2b.tradeLogMessage={0} ha confirmado la recepción de {1} + +bisqEasy.tradeState.info.seller.phase3a.fiatPaymentReceivedCheckBox=He confirmado haber recibido {0} +bisqEasy.tradeState.info.seller.phase3a.sendBtc=Enviar {0} al comprador +bisqEasy.tradeState.info.seller.phase3a.baseAmount=Cantidad a enviar +bisqEasy.tradeState.info.seller.phase3a.qrCodeDisplay.openWindow=Abrir una ventana más grande +bisqEasy.tradeState.info.seller.phase3a.qrCodeDisplay.window.title=Escanear código QR para la compra-venta "{0}" +bisqEasy.tradeState.info.seller.phase3b.headline.MAIN_CHAIN=Esperando confirmación en la cadena de bloques +bisqEasy.tradeState.info.seller.phase3b.info.MAIN_CHAIN=El pago en Bitcoin requiere al menos 1 confirmación en la cadena de bloques para considerarse completo. +bisqEasy.tradeState.info.seller.phase3b.balance=Pago en Bitcoin +bisqEasy.tradeState.info.seller.phase3b.balance.prompt=Esperando datos de la cadena de bloques... + +#################################################################### +# Dynamically created from BitcoinPaymentRail enum name +#################################################################### +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.bitcoinPayment.description.MAIN_CHAIN=Dirección de Bitcoin +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.description.MAIN_CHAIN=ID de la transacción +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.prompt.MAIN_CHAIN=Introduce el ID de la transacción de Bitcoin +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.paymentProof.MAIN_CHAIN=ID de la transacción +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.bitcoinPayment.description.LN=Factura Lightning +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.description.LN=Preimagen (opcional) +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.prompt.LN=Introduce la preimagen si está disponible +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.paymentProof.LN=Preimagen + +bisqEasy.tradeState.info.seller.phase3a.btcSentButton=Confirmo haber enviado {0} +bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage={0} ha iniciado el pago en Bitcoin. {1}: ''{2}'' +bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.noProofProvided={0} ha iniciado el pago en Bitcoin. + +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.MAIN_CHAIN=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. +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.LN=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.phase3a.paymentProof.warning.proceed=Ignorar aviso + +bisqEasy.tradeState.info.seller.phase3b.headline.ln=Espera a que el comprador confirme la recepción del Bitcoin +bisqEasy.tradeState.info.seller.phase3b.info.ln=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.tradeState.info.seller.phase3b.confirmButton.ln=Completar operación + + +###################################################### +# Trade Completed Table +##################################################### + +bisqEasy.tradeCompleted.title=El intercambio se completó con éxito +bisqEasy.tradeCompleted.tableTitle=Resumen +bisqEasy.tradeCompleted.header.tradeWith=Intercambiar con +bisqEasy.tradeCompleted.header.myDirection.seller=He vendido +bisqEasy.tradeCompleted.header.myDirection.buyer=He comprado +bisqEasy.tradeCompleted.header.myDirection.btc=btc +bisqEasy.tradeCompleted.header.myOutcome.seller=Recibí +bisqEasy.tradeCompleted.header.myOutcome.buyer=He pagado +bisqEasy.tradeCompleted.header.paymentMethod=Método de pago +bisqEasy.tradeCompleted.header.tradeId=ID de intercambio +bisqEasy.tradeCompleted.body.date=Fecha +bisqEasy.tradeCompleted.body.tradePrice=Precio del intercambio +bisqEasy.tradeCompleted.body.tradeFee=Tarifa de comercio +bisqEasy.tradeCompleted.body.tradeFee.value=No hay comisiones de transacción en Bisq Easy +bisqEasy.tradeCompleted.body.copy.txId.tooltip=Copiar ID de Transacción al portapapeles +bisqEasy.tradeCompleted.body.copy.explorerLink.tooltip=Copiar enlace de transacción del explorador de bloques +bisqEasy.tradeCompleted.body.txId.tooltip=Abrir explorador de bloques ID de Transacción + + +################################################################################ +# +# Mediation +# +################################################################################ + +bisqEasy.mediation.request.confirm.headline=Solicitar mediación +bisqEasy.mediation.request.confirm.msg=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.mediation.request.confirm.openMediation=Abrir mediación +bisqEasy.mediation.request.feedback.headline=Mediación solicitada +bisqEasy.mediation.request.feedback.msg=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.mediation.request.feedback.noMediatorAvailable=No hay mediadores disponibles. Por favor, utiliza el chat de soporte en su lugar. +bisqEasy.mediation.requester.tradeLogMessage={0} ha solicitado mediación diff --git a/shared/domain/src/commonMain/resources/mobile/bisq_easy_it.properties b/shared/domain/src/commonMain/resources/mobile/bisq_easy_it.properties new file mode 100644 index 00000000..2fb92bb2 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/bisq_easy_it.properties @@ -0,0 +1,804 @@ +#################################################################### +# +# Chat module +# +#################################################################### + +bisqEasy.offerBookChannel.description=Canale di mercato per il trading {0} +bisqEasy.mediator=Mediatore + + +#################################################################### +# +# Desktop module +# +#################################################################### + + +###################################################### +# Bisq Easy +###################################################### + +bisqEasy.dashboard=Primi passi +bisqEasy.offerbook=Registro delle offerte +bisqEasy.openTrades=Le mie compravendite aperte + + +###################################################### +# Bisq Easy dashboard +###################################################### + +bisqEasy.onboarding.top.headline=Bisq Easy in 3 minuti +bisqEasy.onboarding.top.content1=Ottieni una rapida introduzione a Bisq Easy +bisqEasy.onboarding.top.content2=Scopri come funziona il processo di compravendita +bisqEasy.onboarding.top.content3=Impara le semplici regole della compravendita +bisqEasy.onboarding.openTradeGuide=Leggi la guida alla compravendita +bisqEasy.onboarding.watchVideo=Guarda il video +bisqEasy.onboarding.watchVideo.tooltip=Guarda il video introduttivo incorporato + +bisqEasy.onboarding.left.headline=Consigliato per i principianti +bisqEasy.onboarding.left.info=L'assistente di compravendita ti guida attraverso la tua prima compravendita di bitcoin. I venditori di bitcoin ti aiuteranno se hai qualche domanda. +bisqEasy.onboarding.left.button=Avvia l'assistente di compravendita + +bisqEasy.onboarding.right.headline=Per i trader esperti +bisqEasy.onboarding.right.info=Naviga nel registro delle offerte per trovare le migliori offerte o crea la tua offerta. +bisqEasy.onboarding.right.button=Apri il registro delle offerte + + +################################################################################ +# +# Create offer +# +################################################################################ + +bisqEasy.tradeWizard.progress.directionAndMarket=Tipo di offerta +bisqEasy.tradeWizard.progress.price=Prezzo +bisqEasy.tradeWizard.progress.amount=Quantità +bisqEasy.tradeWizard.progress.paymentMethods=Metodi di pagamento +bisqEasy.tradeWizard.progress.takeOffer=Seleziona offerta +bisqEasy.tradeWizard.progress.review=Revisione + + +################################################################################ +# Create offer / Direction +################################################################################ + +bisqEasy.tradeWizard.directionAndMarket.headline=Vuoi comprare o vendere Bitcoin con +bisqEasy.tradeWizard.directionAndMarket.buy=Compra Bitcoin +bisqEasy.tradeWizard.directionAndMarket.sell=Vendi Bitcoin +bisqEasy.tradeWizard.directionAndMarket.feedback.headline=Come guadagnare reputazione? +bisqEasy.tradeWizard.directionAndMarket.feedback.subTitle1=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.gainReputation=Impara a guadagnare reputazione +bisqEasy.tradeWizard.directionAndMarket.feedback.subTitle2=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.directionAndMarket.feedback.tradeWithoutReputation=Continua senza Reputazione +bisqEasy.tradeWizard.directionAndMarket.feedback.backToBuy=Indietro + + +################################################################################ +# Create offer / Market +################################################################################ + +bisqEasy.tradeWizard.market.headline.buyer=In quale valuta vuoi pagare? +bisqEasy.tradeWizard.market.headline.seller=In quale valuta vuoi ricevere il pagamento? +bisqEasy.tradeWizard.market.subTitle=Scegli la tua valuta di compravendita +bisqEasy.tradeWizard.market.columns.name=Valuta fiat +bisqEasy.tradeWizard.market.columns.numOffers=Nº di offerte +bisqEasy.tradeWizard.market.columns.numPeers=Peer online + + +################################################################################ +# Create offer / Price +################################################################################ + +bisqEasy.price.headline=Qual è il tuo prezzo di compravendita? +bisqEasy.tradeWizard.price.subtitle=Questo può essere definito come un prezzo percentuale che varia con il prezzo di mercato o un prezzo fisso. +bisqEasy.price.percentage.title=Prezzo percentuale +bisqEasy.price.percentage.inputBoxText=Percentuale del prezzo di mercato tra -10% e 50% +bisqEasy.price.tradePrice.title=Prezzo fisso +bisqEasy.price.tradePrice.inputBoxText=Prezzo di scambio in {0} +bisqEasy.price.feedback.sentence=La tua offerta ha {0} possibilità di essere accettata a questo prezzo. +bisqEasy.price.feedback.sentence.veryLow=molto basse +bisqEasy.price.feedback.sentence.low=basse +bisqEasy.price.feedback.sentence.some=alcune +bisqEasy.price.feedback.sentence.good=buone +bisqEasy.price.feedback.sentence.veryGood=molto buone +bisqEasy.price.feedback.learnWhySection.openButton=Perché? +bisqEasy.price.feedback.learnWhySection.closeButton=Torna al Prezzo di Scambio +bisqEasy.price.feedback.learnWhySection.title=Perché dovrei pagare un prezzo più alto al venditore? +bisqEasy.price.feedback.learnWhySection.description.intro=Il motivo è che il venditore deve coprire spese extra e compensare per il servizio del venditore, in particolare: +bisqEasy.price.feedback.learnWhySection.description.exposition=- 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.price.warn.invalidPrice.outOfRange=Il prezzo inserito è fuori dall'intervallo consentito del -10% al 50%. +bisqEasy.price.warn.invalidPrice.numberFormatException=Il prezzo inserito non è un numero valido. +bisqEasy.price.warn.invalidPrice.exception=Il prezzo inserito non è valido.\n\nMessaggio di errore: {0} + + +################################################################################ +# Create offer / Amount +################################################################################ + +bisqEasy.tradeWizard.amount.headline.buyer=Quanto vuoi spendere? +bisqEasy.tradeWizard.amount.headline.seller=Quanto vuoi ricevere? +bisqEasy.tradeWizard.amount.description.minAmount=Imposta il valore minimo per la quantità +bisqEasy.tradeWizard.amount.description.maxAmount=Imposta il valore massimo per la quantità +bisqEasy.tradeWizard.amount.description.fixAmount=Imposta la quantità che desideri negoziare +bisqEasy.tradeWizard.amount.addMinAmountOption=Aggiungi intervallo min/max per l'importo +bisqEasy.tradeWizard.amount.removeMinAmountOption=Usa un valore fisso per la quantità +bisqEasy.component.amount.minRangeValue=Min {0} +bisqEasy.component.amount.maxRangeValue=Max {0} +bisqEasy.component.amount.baseSide.tooltip.btcAmount.marketPrice=Questo è l'importo in Bitcoin con l'attuale prezzo di mercato. +bisqEasy.component.amount.baseSide.tooltip.btcAmount.selectedPrice=Questo è l'importo in Bitcoin con il prezzo da te selezionato. +bisqEasy.component.amount.baseSide.tooltip.buyerInfo=I venditori possono chiedere un prezzo più alto poiché hanno costi per acquisire reputazione.\nUn premio del 5-15% sul prezzo è comune. +bisqEasy.component.amount.baseSide.tooltip.bestOfferPrice=Questo è l'importo in Bitcoin con il miglior prezzo\ndalle offerte corrispondenti: {0} +bisqEasy.component.amount.baseSide.tooltip.buyer.btcAmount=Questo è l'importo in Bitcoin da ricevere +bisqEasy.component.amount.baseSide.tooltip.seller.btcAmount=Questo è l'importo in Bitcoin da spendere +bisqEasy.component.amount.baseSide.tooltip.taker.offerPrice=con il prezzo dell'offerta: {0} + + +bisqEasy.tradeWizard.amount.limitInfo.overlay.headline=Limiti di importo per il trading basati sulla Reputazione +bisqEasy.tradeWizard.amount.limitInfo.overlay.close=Chiudi sovrapposizione + +bisqEasy.tradeWizard.amount.seller.wizard.numMatchingOffers.info=Ci sono {0} corrispondenti all'importo di scambio scelto. +bisqEasy.tradeWizard.amount.seller.wizard.limitInfo=Con il tuo Punteggio di Reputazione di {0}, puoi scambiare fino a +bisqEasy.tradeWizard.amount.seller.wizard.limitInfo.overlay.info=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.tradeWizard.amount.seller.limitInfo.scoreTooLow=Con il tuo Punteggio di Reputazione di {0}, l'importo della tua transazione non dovrebbe superare +bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.scoreTooLow=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.takeOffer.amount.seller.limitInfo.lowToleratedAmount=Poiché l'importo della transazione è inferiore a {0}, i requisiti di Reputazione sono allentati. +bisqEasy.takeOffer.amount.seller.limitInfo.scoreTooLow=Poiché il tuo Punteggio di Reputazione è solo {0}, l'importo della tua transazione è limitato a +bisqEasy.takeOffer.amount.seller.limitInfo.overlay.info.scoreTooLow=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.tradeWizard.amount.seller.limitInfo.sufficientScore=Il tuo Punteggio di Reputazione di {0} fornisce sicurezza per offerte fino a +bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.sufficientScore=Con un Punteggio di Reputazione di {0}, fornisci sicurezza per le transazioni fino a {1}. + +bisqEasy.tradeWizard.amount.seller.limitInfo.inSufficientScore=La sicurezza fornita dal tuo Punteggio di Reputazione di {0} è insufficiente per offerte superiori a +bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.inSufficientScore=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.amount.seller.limitInfoAmount={0}. +bisqEasy.tradeWizard.amount.seller.limitInfo.link=Scopri di più + + +bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.linkToWikiText=Per ulteriori dettagli sul sistema di Reputazione, visita il Wiki di Bisq all'indirizzo: + +bisqEasy.tradeWizard.amount.seller.limitInfo.noReputationNeededForMaxOrFixedAmount=Per importi fino a {0} non è richiesta Reputazione. +bisqEasy.tradeWizard.amount.seller.limitInfo.noReputationNeededForMaxOrFixedAmount.overlay.info.scoreTooLow=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.tradeWizard.amount.buyer.limitInfo.learnMore=Scopri di più + +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.buyer.numSellers.0=non c'è nessun venditore +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.buyer.numSellers.1=c'è un venditore +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.buyer.numSellers.*=ci sono {0} venditori + +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.numOffers.0=non c'è offerta +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.numOffers.1=è un'offerta +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.numOffers.*=ci sono {0} offerte + +bisqEasy.tradeWizard.amount.buyer.limitInfo=Ci sono {0} nella rete con una Reputazione sufficiente per accettare un'offerta di {1}. +bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.info=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.tradeWizard.amount.buyer.limitInfo.wizard.info.leadLine=Ci sono {0} corrispondenze con l'importo di scambio scelto. +bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.info=Per offerte fino a {0}, i requisiti di Reputazione sono allentati. +bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.overlay.info=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.amount.buyer.limitInfo.noReputationNeededForMaxOrFixedAmount=I venditori senza Reputazione possono accettare offerte fino a {0}. +bisqEasy.tradeWizard.amount.buyer.limitInfo.noReputationNeededForMaxOrFixedAmount.riskInfo=Assicurati di comprendere appieno i rischi coinvolti. +bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.noReputationNeededForMaxOrFixedAmount.info=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.tradeWizard.amount.buyer.limitInfo.overlay.linkToWikiText=Per saperne di più sul sistema di Reputazione, visita: + + +bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo.leadLine=Poiché il tuo importo min. è inferiore a {0}, i venditori senza Reputazione possono accettare la tua offerta. +bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo=Per l'importo massimo di {0} ci {1} con abbastanza Reputazione per accettare la tua offerta. +bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo.overlay.info=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. + + +################################################################################ +# Create offer / Payment methods +################################################################################ + +bisqEasy.tradeWizard.paymentMethods.headline=Quali metodi di pagamento e regolamento vuoi utilizzare? +bisqEasy.tradeWizard.paymentMethods.fiat.subTitle.buyer=Scegli i metodi di pagamento per trasferire {0} +bisqEasy.tradeWizard.paymentMethods.fiat.subTitle.seller=Scegli i metodi di pagamento per ricevere {0} +bisqEasy.tradeWizard.paymentMethods.bitcoin.subTitle.buyer=Scegli i metodi di regolamento per ricevere Bitcoin +bisqEasy.tradeWizard.paymentMethods.bitcoin.subTitle.seller=Scegli i metodi di regolamento per inviare Bitcoin +bisqEasy.tradeWizard.paymentMethods.noneFound=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.paymentMethods.customMethod.prompt=Pagamento personalizzato +bisqEasy.tradeWizard.paymentMethods.warn.maxMethodsReached=Non puoi aggiungere più di 4 metodi di pagamento. +bisqEasy.tradeWizard.paymentMethods.warn.tooLong=Il nome di un metodo di pagamento personalizzato non dovrebbe superare i 20 caratteri. +bisqEasy.tradeWizard.paymentMethods.warn.customPaymentMethodAlreadyExists=Esiste già un metodo di pagamento personalizzato con il nome {0}. +bisqEasy.tradeWizard.paymentMethods.warn.customNameMatchesPredefinedMethod=Il nome del tuo metodo di pagamento personalizzato non dovrebbe essere lo stesso di uno predefinito. +bisqEasy.tradeWizard.paymentMethods.warn.noFiatPaymentMethodSelected=Per favore scegli almeno un metodo di pagamento fiat. +bisqEasy.tradeWizard.paymentMethods.warn.noBtcSettlementMethodSelected=Per favore scegli almeno un metodo di regolamento Bitcoin. + + +################################################################################ +# TradeWizard / Select offer +################################################################################ + +bisqEasy.tradeWizard.selectOffer.headline.buyer=Compra bitcoin per {0} +bisqEasy.tradeWizard.selectOffer.headline.seller=Vendi bitcoin per {0} +bisqEasy.tradeWizard.selectOffer.subHeadline=Si raccomanda di fare affari con utenti con alta reputazione. +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.headline=Nessuna offerta corrispondente trovata +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.subHeadline=Non ci sono offerte disponibili per i tuoi criteri di selezione. +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.goBack=Cambia selezione +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.goBack.info=Torna alle schermate precedenti e cambia la selezione +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.browseOfferbook=Naviga nel registro delle offerte +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.browseOfferbook.info=Chiudi l'assistente di compravendita e consulta il registro delle offerte + + +################################################################################ +# TradeWizard / Review +################################################################################ + +bisqEasy.tradeWizard.review.headline.maker=Rivedi l'offerta +bisqEasy.tradeWizard.review.headline.taker=Rivedi la compravendita +bisqEasy.tradeWizard.review.detailsHeadline.taker=Dettagli della compravendita +bisqEasy.tradeWizard.review.detailsHeadline.maker=Dettagli dell'offerta +bisqEasy.tradeWizard.review.feeDescription=Commissioni +bisqEasy.tradeWizard.review.noTradeFees=Nessuna commissione di compravendita su Bisq Easy +bisqEasy.tradeWizard.review.sellerPaysMinerFeeLong=Il venditore paga il costo della transazione +bisqEasy.tradeWizard.review.sellerPaysMinerFee=Il venditore paga il costo della transazione +bisqEasy.tradeWizard.review.noTradeFeesLong=Nessuna commissione di compravendita su Bisq Easy + +bisqEasy.tradeWizard.review.toPay=Importo da pagare +bisqEasy.tradeWizard.review.toSend=Importo da inviare +bisqEasy.tradeWizard.review.toReceive=Importo da ricevere +bisqEasy.tradeWizard.review.direction={0} Bitcoin +bisqEasy.tradeWizard.review.paymentMethodDescription.btc=Metodo di pagamento in Bitcoin +bisqEasy.tradeWizard.review.paymentMethodDescriptions.btc.maker=Metodi di pagamento in Bitcoin +bisqEasy.tradeWizard.review.paymentMethodDescriptions.btc.taker=Seleziona il metodo di pagamento in Bitcoin +bisqEasy.tradeWizard.review.paymentMethodDescription.fiat=Metodo di pagamento Fiat +bisqEasy.tradeWizard.review.paymentMethodDescriptions.fiat.maker=Metodi di pagamento Fiat +bisqEasy.tradeWizard.review.paymentMethodDescriptions.fiat.taker=Seleziona il metodo di pagamento Fiat +bisqEasy.tradeWizard.review.price={0} <{1} style=trade-wizard-review-code> + +bisqEasy.tradeWizard.review.priceDescription.taker=Prezzo di compravendita +bisqEasy.tradeWizard.review.priceDescription.maker=Prezzo dell'offerta +bisqEasy.tradeWizard.review.priceDetails.fix=Prezzo fisso. {0} {1} prezzo di mercato di {2} +bisqEasy.tradeWizard.review.priceDetails.fix.atMarket=Prezzo fisso. Uguale al prezzo di mercato di {0} +bisqEasy.tradeWizard.review.priceDetails.float=Prezzo variabile. {0} {1} prezzo di mercato di {2} +bisqEasy.tradeWizard.review.priceDetails=Varia con il prezzo di mercato +bisqEasy.tradeWizard.review.nextButton.createOffer=Crea offerta +bisqEasy.tradeWizard.review.nextButton.takeOffer=Conferma la compravendita + +bisqEasy.tradeWizard.review.createOfferSuccess.headline=Offerta pubblicata con successo +bisqEasy.tradeWizard.review.createOfferSuccess.subTitle=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.tradeWizard.review.createOfferSuccessButton=Mostra la mia offerta nel 'Libro delle Offerte' + +bisqEasy.tradeWizard.review.takeOfferSuccess.headline=Hai accettato l'offerta con successo +bisqEasy.tradeWizard.review.takeOfferSuccess.subTitle=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.tradeWizard.review.takeOfferSuccessButton=Mostra la compravendita in 'Compravendite Aperte' + + +################################################################################ +# Create offer / Review +################################################################################# + +bisqEasy.tradeWizard.review.table.baseAmount.buyer=Ricevi +bisqEasy.tradeWizard.review.table.baseAmount.seller=Spendi +bisqEasy.tradeWizard.review.table.price=Prezzo in {0} +bisqEasy.tradeWizard.review.table.reputation=Reputazione +bisqEasy.tradeWizard.review.chatMessage.fixPrice={0} +bisqEasy.tradeWizard.review.chatMessage.floatPrice.above={0} sopra il prezzo di mercato +bisqEasy.tradeWizard.review.chatMessage.floatPrice.below={0} sotto il prezzo di mercato +bisqEasy.tradeWizard.review.chatMessage.marketPrice=Prezzo di mercato +bisqEasy.tradeWizard.review.chatMessage.price=Prezzo: +bisqEasy.tradeWizard.review.chatMessage.peerMessage.sell=Vendi Bitcoin a {0}\nImporto: {1}\nMetodo/i di pagamento in Bitcoin: {2}\nMetodo/i di pagamento Fiat: {3}\n{4} +bisqEasy.tradeWizard.review.chatMessage.peerMessage.buy=Compra Bitcoin da {0}\nImporto: {1}\nMetodo/i di pagamento in Bitcoin: {2}\nMetodo/i di pagamento Fiat: {3}\n{4} +bisqEasy.tradeWizard.review.chatMessage.offerDetails=Importo: {0}\nMetodo/i di pagamento in Bitcoin: {1}\nMetodo/i di pagamento Fiat: {2}\n{3} +bisqEasy.tradeWizard.review.chatMessage.peerMessageTitle.sell=Vendi Bitcoin a +bisqEasy.tradeWizard.review.chatMessage.peerMessageTitle.buy=Compra Bitcoin da +bisqEasy.tradeWizard.review.chatMessage.myMessageTitle=La mia offerta di {0} Bitcoin + + +################################################################################ +# +# Take offer +# +################################################################################ + +bisqEasy.takeOffer.progress.amount=Quantità +bisqEasy.takeOffer.progress.method=Metodo di pagamento +bisqEasy.takeOffer.progress.review=Rivedere la compravendita + +bisqEasy.takeOffer.amount.headline.buyer=Quanto vuoi spendere? +bisqEasy.takeOffer.amount.headline.seller=Quanto vuoi negoziare? +bisqEasy.takeOffer.amount.description=L'offerta ti permette di scegliere una quantità di compravendita\ntra {0} e {1} +bisqEasy.takeOffer.amount.description.limitedByTakersReputation=Il tuo Punteggio di Reputazione di {0} ti consente di scegliere un importo di scambio\ntra {1} e {2} + +bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMax=Il punteggio di reputazione del venditore è solo {0}. Non è consigliato scambiare più di +bisqEasy.takeOffer.amount.buyer.limitInfoAmount={0}. +bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMax.overlay.info=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.takeOffer.amount.buyer.limitInfo.minAmountCovered=Il Punteggio di Reputazione del venditore di {0} offre sicurezza fino a +bisqEasy.takeOffer.amount.buyer.limitInfo.minAmountCovered.overlay.info=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.takeOffer.amount.buyer.limitInfo.minAmountNotCovered=Il punteggio di reputazione del venditore di {0} non fornisce una sicurezza sufficiente per quell'offerta. +bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMin.overlay.info=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.takeOffer.amount.buyer.limitInfo.learnMore=Scopri di più +bisqEasy.takeOffer.amount.buyer.limitInfo.overlay.linkToWikiText=Per saperne di più sul sistema di Reputazione, visita: + +bisqEasy.takeOffer.paymentMethods.headline.fiat=Quale metodo di pagamento vuoi utilizzare? +bisqEasy.takeOffer.paymentMethods.headline.fiatAndBitcoin=Quale metodo di pagamento e regolamento vuoi utilizzare? +bisqEasy.takeOffer.paymentMethods.headline.bitcoin=Quale metodo di regolamento vuoi utilizzare? +bisqEasy.takeOffer.paymentMethods.subtitle.fiat.buyer=Scegli un metodo di pagamento per trasferire {0} +bisqEasy.takeOffer.paymentMethods.subtitle.fiat.seller=Scegli un metodo di pagamento per ricevere {0} +bisqEasy.takeOffer.paymentMethods.subtitle.bitcoin.buyer=Scegli un metodo di regolamento per ricevere Bitcoin +bisqEasy.takeOffer.paymentMethods.subtitle.bitcoin.seller=Scegli un metodo di regolamento per inviare Bitcoin + +bisqEasy.takeOffer.review.headline=Rivedere la compravendita +bisqEasy.takeOffer.review.detailsHeadline=Dettagli della compravendita +bisqEasy.takeOffer.review.method.fiat=Metodo di pagamento Fiat +bisqEasy.takeOffer.review.method.bitcoin=Metodo di pagamento Bitcoin +bisqEasy.takeOffer.review.price.price=Prezzo di compravendita +bisqEasy.takeOffer.review.noTradeFees=Nessuna commissione di compravendita su Bisq Easy +bisqEasy.takeOffer.review.sellerPaysMinerFeeLong=Il venditore paga il costo della transazione +bisqEasy.takeOffer.review.sellerPaysMinerFee=Il venditore paga il costo della transazione +bisqEasy.takeOffer.review.noTradeFeesLong=Nessuna commissione di compravendita su Bisq Easy +bisqEasy.takeOffer.review.takeOffer=Conferma offerta +bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.headline=Invio del messaggio di accettazione offerta +bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.subTitle=L'invio del messaggio di accettazione offerta può richiedere fino a 2 minuti +bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.info=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.takeOffer.review.takeOfferSuccess.headline=Hai accettato l'offerta con successo +bisqEasy.takeOffer.review.takeOfferSuccess.subTitle=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.takeOffer.review.takeOfferSuccessButton=Mostra compravendita nella sezione 'Compravendite Aperte' +bisqEasy.takeOffer.tradeLogMessage={0} ha inviato un messaggio per accettare l'offerta di {1} + +bisqEasy.takeOffer.noMediatorAvailable.warning=Non c'è un mediatore disponibile. Dovresti utilizzare la chat di supporto invece. +bisqEasy.takeOffer.makerBanned.warning=Il creatore di questa offerta è stato bannato. Si prega di provare ad utilizzare un'offerta diversa. +# suppress inspection "UnusedProperty" +bisqEasy.takeOffer.bitcoinPaymentData.warning.MAIN_CHAIN=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. +# suppress inspection "UnusedProperty" +bisqEasy.takeOffer.bitcoinPaymentData.warning.LN=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.takeOffer.bitcoinPaymentData.warning.proceed=Ignora avviso + + +################################################################################ +# +# TradeGuide +# +################################################################################ + +bisqEasy.tradeGuide.tabs.headline=Guida alla Compravendita +bisqEasy.tradeGuide.welcome=Panoramica Generale +bisqEasy.tradeGuide.security=Sicurezza +bisqEasy.tradeGuide.process=Processo +bisqEasy.tradeGuide.rules=Regole di Compravendita + +bisqEasy.tradeGuide.welcome.headline=Come negoziare su Bisq Easy +bisqEasy.tradeGuide.welcome.content=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.tradeGuide.security.headline=Quanto è sicuro negoziare su Bisq Easy? +bisqEasy.tradeGuide.security.content=- 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.tradeGuide.process.headline=Come funziona il processo di compravendita? +bisqEasy.tradeGuide.process.content=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.tradeGuide.process.steps=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.tradeGuide.rules.headline=Cosa devo sapere sulle regole di compravendita? +bisqEasy.tradeGuide.rules.content=- 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.tradeGuide.rules.confirm=Ho letto e capito + +bisqEasy.tradeGuide.notConfirmed.warn=Per favore, leggi la guida alla compravendita e conferma di aver letto e capito le regole di compravendita. +bisqEasy.tradeGuide.open=Apri la guida alla compravendita + + +################################################################################ +# WalletGuide +################################################################################ + +bisqEasy.walletGuide.open=Apri la guida al portafoglio + +bisqEasy.walletGuide.tabs.headline=Guida al portafoglio +bisqEasy.walletGuide.intro=Introduzione +bisqEasy.walletGuide.download=Scarica +bisqEasy.walletGuide.createWallet=Nuovo portafoglio +bisqEasy.walletGuide.receive=Ricevendo + +bisqEasy.walletGuide.intro.headline=Preparati a ricevere i tuoi primi bitcoin +bisqEasy.walletGuide.intro.content=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.walletGuide.download.headline=Come scaricare il tuo portafoglio +bisqEasy.walletGuide.download.content=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.walletGuide.download.link=Clicca qui per visitare la pagina di Bluewallet + +bisqEasy.walletGuide.createWallet.headline=Come creare il tuo nuovo portafoglio +bisqEasy.walletGuide.createWallet.content=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.walletGuide.receive.headline=Come ricevere bitcoin nel tuo portafoglio +bisqEasy.walletGuide.receive.content=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.walletGuide.receive.link1=Tutorial su Bluewallet di Anita Posch +bisqEasy.walletGuide.receive.link2=Tutorial su Bluewallet di BTC Sessions + + +###################################################### +# Offerbook +###################################################### + +bisqEasy.offerbook.markets=Mercati +bisqEasy.offerbook.markets.CollapsedList.Tooltip=Espandi Mercati +bisqEasy.offerbook.markets.ExpandedList.Tooltip=Comprimi Mercati +bisqEasy.offerbook.marketListCell.numOffers.one={0} offerta +bisqEasy.offerbook.marketListCell.numOffers.many={0} offerte +bisqEasy.offerbook.marketListCell.numOffers.tooltip.none=Non ci sono ancora offerte disponibili sul mercato {0} +bisqEasy.offerbook.marketListCell.numOffers.tooltip.one={0} offerta è disponibile sul mercato {1} +bisqEasy.offerbook.marketListCell.numOffers.tooltip.many={0} offerte sono disponibili sul mercato {1} +bisqEasy.offerbook.marketListCell.favourites.tooltip.addToFavourites=Aggiungi ai preferiti +bisqEasy.offerbook.marketListCell.favourites.tooltip.removeFromFavourites=Rimuovi dai preferiti +bisqEasy.offerbook.marketListCell.favourites.maxReached.popup=C'è spazio solo per 5 preferiti. Rimuovi un preferito e riprova. + +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.tooltip=Ordina e filtra i mercati +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.sortTitle=Ordina per: +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.mostOffers=Più offerte +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.nameAZ=Nome A-Z +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.nameZA=Nome Z-A +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.filterTitle=Mostra mercati: +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.withOffers=Con offerte +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.favourites=Solo preferiti +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.all=Tutti + +bisqEasy.offerbook.chatMessage.deleteOffer.confirmation=Sei sicuro di voler eliminare questa offerta? +bisqEasy.offerbook.chatMessage.deleteMessage.confirmation=Sei sicuro di voler eliminare questo messaggio? + +bisqEasy.offerbook.offerList=Elenco Offerte +bisqEasy.offerbook.offerList.collapsedList.tooltip=Espandi Elenco Offerte +bisqEasy.offerbook.offerList.expandedList.tooltip=Comprimi Elenco Offerte +bisqEasy.offerbook.offerList.table.columns.peerProfile=Profilo Peer +bisqEasy.offerbook.offerList.table.columns.price=Prezzo +bisqEasy.offerbook.offerList.table.columns.fiatAmount={0} importo +bisqEasy.offerbook.offerList.table.columns.paymentMethod=Pagamento +bisqEasy.offerbook.offerList.table.columns.settlementMethod=Regolamento +bisqEasy.offerbook.offerList.table.filters.offerDirection.buyFrom=Compra da +bisqEasy.offerbook.offerList.table.filters.offerDirection.sellTo=Vendi a +bisqEasy.offerbook.offerList.table.filters.paymentMethods.title=Pagamenti ({0}) +bisqEasy.offerbook.offerList.table.filters.paymentMethods.title.all=Tutti +bisqEasy.offerbook.offerList.table.filters.paymentMethods.customPayments=Pagamenti personalizzati +bisqEasy.offerbook.offerList.table.filters.paymentMethods.clearFilters=Cancella filtri +bisqEasy.offerbook.offerList.table.filters.showMyOffersOnly=Solo le mie offerte + +bisqEasy.offerbook.offerList.table.columns.price.tooltip.fixPrice=Prezzo fisso: {0}\nPercentuale dal prezzo di mercato attuale: {1} +bisqEasy.offerbook.offerList.table.columns.price.tooltip.marketPrice=Prezzo di mercato: {0} +bisqEasy.offerbook.offerList.table.columns.price.tooltip.floatPrice=Prezzo percentuale {0}\nCon prezzo di mercato attuale: {1} + + +###################################################### +# Open trades +###################################################### + +bisqEasy.openTrades.table.headline=Le mie transazioni aperte +bisqEasy.openTrades.noTrades=Non hai nessuna transazione aperta +bisqEasy.openTrades.rejectTrade=Rifiuta la transazione +bisqEasy.openTrades.cancelTrade=Annulla la transazione +bisqEasy.openTrades.tradeLogMessage.rejected={0} ha rifiutato la negoziazione +bisqEasy.openTrades.tradeLogMessage.cancelled={0} ha annullato la negoziazione +bisqEasy.openTrades.rejectTrade.warning=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.openTrades.cancelTrade.warning.buyer=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.openTrades.cancelTrade.warning.seller=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.openTrades.cancelTrade.warning.part2=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.openTrades.closeTrade.warning.interrupted=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.openTrades.closeTrade.warning.completed=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.openTrades.closeTrade=Chiudi compravendita +bisqEasy.openTrades.confirmCloseTrade=Conferma chiusura compravendita +bisqEasy.openTrades.exportTrade=Esporta dati della compravendita +bisqEasy.openTrades.reportToMediator=Segnala al mediatore +bisqEasy.openTrades.rejected.self=Hai rifiutato la compravendita +bisqEasy.openTrades.rejected.peer=La controparte ha rifiutato la compravendita +bisqEasy.openTrades.cancelled.self=Hai annullato la compravendita +bisqEasy.openTrades.cancelled.peer=La controparte ha annullato la compravendita +bisqEasy.openTrades.inMediation.info=Un mediatore si è unito alla chat di compravendita. Utilizza la chat di compravendita sottostante per ottenere assistenza dal mediatore. +bisqEasy.openTrades.failed=La compravendita è fallita con il seguente messaggio di errore: {0} +bisqEasy.openTrades.failed.popup=La compravendita è fallita a causa di un errore.\nMessaggio di errore: {0}\n\nTraccia dello stack: {1} +bisqEasy.openTrades.failedAtPeer=La compravendita del partner è fallita a causa di: {0} +bisqEasy.openTrades.failedAtPeer.popup=La compravendita del partner è fallita a causa di un errore.\nErrore causato da: {0}\n\nTraccia dello stack: {1} +bisqEasy.openTrades.table.tradePeer=Partner +bisqEasy.openTrades.table.me=Io +bisqEasy.openTrades.table.mediator=Mediatore +bisqEasy.openTrades.table.tradeId=ID della compravendita +bisqEasy.openTrades.table.price=Prezzo +bisqEasy.openTrades.table.baseAmount=Quantità in BTC +bisqEasy.openTrades.table.quoteAmount=Quantità +bisqEasy.openTrades.table.paymentMethod=Pagamento +bisqEasy.openTrades.table.paymentMethod.tooltip=Metodo di pagamento Fiat: {0} +bisqEasy.openTrades.table.settlementMethod=Regolamento +bisqEasy.openTrades.table.settlementMethod.tooltip=Metodo di regolamento Bitcoin: {0} +bisqEasy.openTrades.table.makerTakerRole=Il mio ruolo +bisqEasy.openTrades.table.direction.buyer=Sto comprando da: +bisqEasy.openTrades.table.direction.seller=Sto vendendo a: +bisqEasy.openTrades.table.makerTakerRole.maker=Creatore +bisqEasy.openTrades.table.makerTakerRole.taker=Accettante +bisqEasy.openTrades.csv.quoteAmount=Importo in {0} +bisqEasy.openTrades.csv.txIdOrPreimage=ID Transazione/Preimage +bisqEasy.openTrades.csv.receiverAddressOrInvoice=Indirizzo del destinatario/Fattura +bisqEasy.openTrades.csv.paymentMethod=Metodo di pagamento + +bisqEasy.openTrades.chat.peer.description=Chat con la controparte +bisqEasy.openTrades.chat.detach=Separa +bisqEasy.openTrades.chat.detach.tooltip=Apri la chat in una nuova finestra +bisqEasy.openTrades.chat.attach=Riattacca +bisqEasy.openTrades.chat.attach.tooltip=Ripristina la chat nella finestra principale +bisqEasy.openTrades.chat.window.title={0} - Chat con {1} / ID del Commercio: {2} +bisqEasy.openTrades.chat.peerLeft.headline={0} ha lasciato la transazione +bisqEasy.openTrades.chat.peerLeft.subHeadline=Se la transazione non è completata da parte tua e hai bisogno di assistenza, contatta il mediatore o visita la chat di supporto. + +###################################################### +# Private chat +###################################################### + +bisqEasy.privateChats.leave=Esci dalla chat +bisqEasy.privateChats.table.myUser=Il mio profilo + + +###################################################### +# Top pane +###################################################### + +# Commented out in code +# suppress inspection "UnusedProperty" +bisqEasy.topPane.filter=Filtrare il libro degli ordini +# Commented out in code +# suppress inspection "UnusedProperty" +bisqEasy.topPane.closeFilter=Chiudi filtro +bisqEasy.topPane.filter.offersOnly=Mostra solo le offerte nel libro delle offerte di Bisq Easy + + +################################################################################ +# +# BisqEasyOfferDetails +# +################################################################################ + +bisqEasy.offerDetails.headline=Dettagli dell'offerta +bisqEasy.offerDetails.buy=Offerta di acquisto bitcoin +bisqEasy.offerDetails.sell=Offerta di vendita bitcoin + +bisqEasy.offerDetails.direction=Tipo di offerta +bisqEasy.offerDetails.baseSideAmount=Quantità di bitcoin +bisqEasy.offerDetails.quoteSideAmount=Quantità in {0} +bisqEasy.offerDetails.price=Prezzo dell'offerta in {0} +bisqEasy.offerDetails.priceValue={0} (premio: {1}) +bisqEasy.offerDetails.paymentMethods=Metodo/i di pagamento supportati +bisqEasy.offerDetails.id=ID dell'offerta +bisqEasy.offerDetails.date=Data di creazione +bisqEasy.offerDetails.makersTradeTerms=Termini di compravendita del creatore + + +################################################################################ +# +# OpenTradesWelcome +# +################################################################################ + +bisqEasy.openTrades.welcome.headline=Benvenuto al tuo primo scambio su Bisq Easy! +bisqEasy.openTrades.welcome.info=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.openTrades.welcome.line1=Scopri il modello di sicurezza di Bisq Easy +bisqEasy.openTrades.welcome.line2=Guarda come funziona il processo di scambio +bisqEasy.openTrades.welcome.line3=Familiarizza con le regole di scambio + + +################################################################################ +# +# TradeState +# +################################################################################ + +bisqEasy.tradeState.requestMediation=Richiedi mediazione +bisqEasy.tradeState.reportToMediator=Rapporto al mediatore +bisqEasy.tradeState.acceptOrRejectSellersPrice.title=Attenzione al Cambio di Prezzo! +bisqEasy.tradeState.acceptOrRejectSellersPrice.description.buyersPrice=Il prezzo della tua offerta per acquistare Bitcoin era {0}. +bisqEasy.tradeState.acceptOrRejectSellersPrice.description.sellersPrice=Tuttavia, il venditore ti sta offrendo un prezzo diverso: {0}. +bisqEasy.tradeState.acceptOrRejectSellersPrice.description.question=Vuoi accettare questo nuovo prezzo o vuoi rifiutare/annullare* la negoziazione? +bisqEasy.tradeState.acceptOrRejectSellersPrice.description.disclaimer=(*Nota che in questo caso specifico, annullare la negoziazione NON sarà considerato una violazione delle regole di trading.) +bisqEasy.tradeState.acceptOrRejectSellersPrice.button.accept=Accetta il prezzo + +# Trade State: Header +bisqEasy.tradeState.header.peer=Controparte +bisqEasy.tradeState.header.direction=Desidero +bisqEasy.tradeState.header.send=Importo da inviare +bisqEasy.tradeState.header.pay=Importo da pagare +bisqEasy.tradeState.header.receive=Importo da ricevere +bisqEasy.tradeState.header.tradeId=ID compravendita + +# Trade State: Phase (left side) +bisqEasy.tradeState.phase1=Dettagli dell'account +bisqEasy.tradeState.phase2=Pagamento in fiat +bisqEasy.tradeState.phase3=Trasferimento Bitcoin +bisqEasy.tradeState.phase4=Compravendita completata + +# Trade State: Info (right side) + +bisqEasy.tradeState.info.phase3b.balance.help.explorerLookup=Ricerca della transazione nel block explorer ''{0}'' +bisqEasy.tradeState.info.phase3b.balance.help.notConfirmed=Transazione presente nel mempool ma non ancora confermata +bisqEasy.tradeState.info.phase3b.balance.help.confirmed=La transazione è confermata +bisqEasy.tradeState.info.phase3b.txId.failed=La ricerca della transazione su ''{0}'' non è riuscita con {1}: ''{2}'' +bisqEasy.tradeState.info.phase3b.button.skip=Salta l'attesa della conferma del blocco + +bisqEasy.tradeState.info.phase3b.balance.invalid.noOutputsForAddress=Nessun output corrispondente trovato nella transazione +bisqEasy.tradeState.info.phase3b.balance.invalid.multipleOutputsForAddress=Più output corrispondenti trovati nella transazione +bisqEasy.tradeState.info.phase3b.balance.invalid.amountNotMatching=L'importo dell'output dalla transazione non corrisponde all'importo dello scambio + +bisqEasy.tradeState.info.phase3b.button.next=Avanti +bisqEasy.tradeState.info.phase3b.button.next.amountNotMatching=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.phase3b.button.next.noOutputForAddress=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.tradeState.info.phase3b.button.next.amountNotMatching.resolved=Ho risolto il problema + +bisqEasy.tradeState.info.phase3b.txId=ID transazione +bisqEasy.tradeState.info.phase3b.txId.tooltip=Apri transazione nel block explorer +bisqEasy.tradeState.info.phase3b.lightning.preimage=Preimmagine + +bisqEasy.tradeState.info.phase4.txId.tooltip=Apri transazione nel block explorer +bisqEasy.tradeState.info.phase4.exportTrade=Esporta dati della compravendita +bisqEasy.tradeState.info.phase4.leaveChannel=Chiudi compravendita +#################################################################### +# Dynamically created from BitcoinPaymentRail enum name +#################################################################### +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.bitcoinPaymentData.MAIN_CHAIN=Indirizzo Bitcoin +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.bitcoinPaymentData.LN=Fattura Lightning +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.paymentProof.MAIN_CHAIN=ID della transazione +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.paymentProof.LN=Preimmagine + + +# Trade State Info: Buyer +#################################################################### +# Dynamically created from BitcoinPaymentRail enum name +#################################################################### +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.headline.MAIN_CHAIN=Inserisci il tuo indirizzo Bitcoin +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.description.MAIN_CHAIN=Indirizzo Bitcoin +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.prompt.MAIN_CHAIN=Inserisci il tuo indirizzo Bitcoin +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.tradeLogMessage.MAIN_CHAIN={0} ha inviato l'indirizzo Bitcoin ''{1}'' +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.headline.LN=Inserisci la tua fattura Lightning +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.description.LN=Fattura Lightning +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.prompt.LN=Inserisci la tua fattura Lightning +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.tradeLogMessage.LN={0} ha inviato la fattura Lightning ''{1}'' + +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.walletHelp=Se non hai ancora configurato un portafoglio, puoi trovare aiuto nella guida al portafoglio +bisqEasy.tradeState.info.buyer.phase1a.walletHelpButton=Apri guida al portafoglio +bisqEasy.tradeState.info.buyer.phase1a.send=Invia al venditore +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.tooltip=Scansiona il codice QR utilizzando la tua webcam +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.description=Stato della connessione della webcam +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.connecting=Connessione alla webcam in corso... +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.imageRecognized=Webcam connessa +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.failed=Connessione alla webcam non riuscita +bisqEasy.tradeState.info.buyer.phase1b.headline=Attendi i dati dell'account di pagamento del venditore +bisqEasy.tradeState.info.buyer.phase1b.info=Puoi utilizzare la chat qui sotto per metterti in contatto con il venditore. + +bisqEasy.tradeState.info.buyer.phase2a.headline=Invia {0} all'account di pagamento del venditore +bisqEasy.tradeState.info.buyer.phase2a.quoteAmount=Importo da trasferire +bisqEasy.tradeState.info.buyer.phase2a.sellersAccount=Account di pagamento del venditore +bisqEasy.tradeState.info.buyer.phase2a.reasonForPaymentInfo=Si prega di lasciare vuoto il campo 'Motivo del pagamento' in caso di bonifico bancario +bisqEasy.tradeState.info.buyer.phase2a.confirmFiatSent=Conferma pagamento di {0} +bisqEasy.tradeState.info.buyer.phase2a.tradeLogMessage={0} ha avviato il pagamento {1} + +bisqEasy.tradeState.info.buyer.phase2b.headline=Attendi che il venditore confermi la ricezione del pagamento +bisqEasy.tradeState.info.buyer.phase2b.info=Una volta che il venditore ha ricevuto il tuo pagamento di {0}, inizierà il pagamento in Bitcoin al tuo {1} fornito. + +bisqEasy.tradeState.info.buyer.phase3a.headline=Attendi il pagamento Bitcoin del venditore +bisqEasy.tradeState.info.buyer.phase3a.info=Il venditore deve avviare il pagamento in Bitcoin al tuo {0} fornito. +bisqEasy.tradeState.info.buyer.phase3b.headline.ln=Il venditore ha inviato il Bitcoin tramite Lightning Network +bisqEasy.tradeState.info.buyer.phase3b.info.ln=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.tradeState.info.buyer.phase3b.confirmButton.ln=Conferma ricezione +bisqEasy.tradeState.info.buyer.phase3b.tradeLogMessage.ln={0} ha confermato di aver ricevuto il pagamento in Bitcoin +bisqEasy.tradeState.info.buyer.phase3b.headline.MAIN_CHAIN=Il venditore ha iniziato il pagamento Bitcoin +bisqEasy.tradeState.info.buyer.phase3b.info.MAIN_CHAIN=Non appena la transazione Bitcoin è visibile nella rete Bitcoin, vedrai il pagamento. Dopo 1 conferma sulla blockchain, il pagamento può essere considerato completato. +bisqEasy.tradeState.info.buyer.phase3b.balance=Bitcoin ricevuti +bisqEasy.tradeState.info.buyer.phase3b.balance.prompt=In attesa di dati blockchain... + +# Trade State Info: Seller +bisqEasy.tradeState.info.seller.phase1.headline=Invia i tuoi dati dell'account di pagamento al compratore +bisqEasy.tradeState.info.seller.phase1.accountData=I miei dati dell'account di pagamento +bisqEasy.tradeState.info.seller.phase1.accountData.prompt=Inserisci i tuoi dati dell'account di pagamento. Ad es. IBAN, BIC e nome del titolare dell'account +bisqEasy.tradeState.info.seller.phase1.buttonText=Invia dati dell'account +bisqEasy.tradeState.info.seller.phase1.note=Nota: Puoi utilizzare la chat qui sotto per metterti in contatto con il compratore prima di rivelare i tuoi dati dell'account. +bisqEasy.tradeState.info.seller.phase1.tradeLogMessage={0} ha inviato i dati del conto di pagamento:\n{1} + +bisqEasy.tradeState.info.seller.phase2a.waitForPayment.headline=Attendi il pagamento di {0} del compratore +bisqEasy.tradeState.info.seller.phase2a.waitForPayment.info=Una volta che il compratore ha iniziato il pagamento di {0}, sarai notificato. + +bisqEasy.tradeState.info.seller.phase2b.headline=Controlla se hai ricevuto {0} +bisqEasy.tradeState.info.seller.phase2b.info=Visita il tuo conto bancario o l'app del fornitore di pagamenti per confermare la ricezione del pagamento del compratore. + +bisqEasy.tradeState.info.seller.phase2b.fiatReceivedButton=Conferma ricezione di {0} +bisqEasy.tradeState.info.seller.phase2b.tradeLogMessage={0} ha confermato la ricezione di {1} + +bisqEasy.tradeState.info.seller.phase3a.fiatPaymentReceivedCheckBox=Ho confermato di aver ricevuto {0} +bisqEasy.tradeState.info.seller.phase3a.sendBtc=Invia {0} al compratore +bisqEasy.tradeState.info.seller.phase3a.baseAmount=Importo da inviare +bisqEasy.tradeState.info.seller.phase3a.qrCodeDisplay.openWindow=Apri visualizzazione più grande +bisqEasy.tradeState.info.seller.phase3a.qrCodeDisplay.window.title=Scansiona il codice QR per lo scambio ''{0}'' +bisqEasy.tradeState.info.seller.phase3b.headline.MAIN_CHAIN=In attesa di conferma blockchain +bisqEasy.tradeState.info.seller.phase3b.info.MAIN_CHAIN=Il pagamento Bitcoin richiede almeno 1 conferma sulla blockchain per essere considerato completo. +bisqEasy.tradeState.info.seller.phase3b.balance=Pagamento Bitcoin +bisqEasy.tradeState.info.seller.phase3b.balance.prompt=In attesa di dati blockchain... + +#################################################################### +# Dynamically created from BitcoinPaymentRail enum name +#################################################################### +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.bitcoinPayment.description.MAIN_CHAIN=Indirizzo Bitcoin +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.description.MAIN_CHAIN=ID della transazione +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.prompt.MAIN_CHAIN=Inserisci l'ID della transazione Bitcoin +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.paymentProof.MAIN_CHAIN=ID della transazione +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.bitcoinPayment.description.LN=Fattura Lightning +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.description.LN=Preimmagine (opzionale) +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.prompt.LN=Inserisci la preimmagine se disponibile +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.paymentProof.LN=Preimmagine + +bisqEasy.tradeState.info.seller.phase3a.btcSentButton=Confermo di aver inviato {0} +bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage={0} ha avviato il pagamento in Bitcoin. {1}: ''{2}'' +bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.noProofProvided={0} ha avviato il pagamento in Bitcoin. + +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.MAIN_CHAIN=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. +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.LN=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.phase3a.paymentProof.warning.proceed=Ignora avviso + +bisqEasy.tradeState.info.seller.phase3b.headline.ln=Attendi la conferma del ricevimento del Bitcoin da parte dell'acquirente +bisqEasy.tradeState.info.seller.phase3b.info.ln=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.tradeState.info.seller.phase3b.confirmButton.ln=Completa il commercio + + +###################################################### +# Trade Completed Table +##################################################### + +bisqEasy.tradeCompleted.title=Compravendita completata con successo +bisqEasy.tradeCompleted.tableTitle=Riepilogo +bisqEasy.tradeCompleted.header.tradeWith=Scambia con +bisqEasy.tradeCompleted.header.myDirection.seller=Ho venduto +bisqEasy.tradeCompleted.header.myDirection.buyer=Ho comprato +bisqEasy.tradeCompleted.header.myDirection.btc=btc +bisqEasy.tradeCompleted.header.myOutcome.seller=Ho ricevuto +bisqEasy.tradeCompleted.header.myOutcome.buyer=Ho pagato +bisqEasy.tradeCompleted.header.paymentMethod=Metodo di pagamento +bisqEasy.tradeCompleted.header.tradeId=ID della compravendita +bisqEasy.tradeCompleted.body.date=Data +bisqEasy.tradeCompleted.body.tradePrice=Prezzo di compravendita +bisqEasy.tradeCompleted.body.tradeFee=Commissione di trading +bisqEasy.tradeCompleted.body.tradeFee.value=Nessuna commissione di compravendita su Bisq Easy +bisqEasy.tradeCompleted.body.copy.txId.tooltip=Copia l'ID Transazione negli appunti +bisqEasy.tradeCompleted.body.copy.explorerLink.tooltip=Copia il link della transazione dell'esploratore di blocchi +bisqEasy.tradeCompleted.body.txId.tooltip=Apri l'esploratore di blocchi per l'ID Transazione + + +################################################################################ +# +# Mediation +# +################################################################################ + +bisqEasy.mediation.request.confirm.headline=Richiedi mediazione +bisqEasy.mediation.request.confirm.msg=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.mediation.request.confirm.openMediation=Apri mediazione +bisqEasy.mediation.request.feedback.headline=Mediazione richiesta +bisqEasy.mediation.request.feedback.msg=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.mediation.request.feedback.noMediatorAvailable=Non c'è nessun mediatore disponibile. Per favore, usa invece la chat di supporto. +bisqEasy.mediation.requester.tradeLogMessage={0} ha richiesto la mediazione diff --git a/shared/domain/src/commonMain/resources/mobile/bisq_easy_pcm.properties b/shared/domain/src/commonMain/resources/mobile/bisq_easy_pcm.properties new file mode 100644 index 00000000..7e13ca1b --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/bisq_easy_pcm.properties @@ -0,0 +1,804 @@ +#################################################################### +# +# Chat module +# +#################################################################### + +bisqEasy.offerBookChannel.description=Markit chanel for tradin {0} +bisqEasy.mediator=Mediator + + +#################################################################### +# +# Desktop module +# +#################################################################### + + +###################################################### +# Bisq Easy +###################################################### + +bisqEasy.dashboard=How to start +bisqEasy.offerbook=Offerbook +bisqEasy.openTrades=My open trades + + +###################################################### +# Bisq Easy dashboard +###################################################### + +bisqEasy.onboarding.top.headline=Bisq Easy for 3 minutes +bisqEasy.onboarding.top.content1=Get quick introduction into Bisq Easy +bisqEasy.onboarding.top.content2=See how the trade process dey work +bisqEasy.onboarding.top.content3=Lern about di simple trad rulz +bisqEasy.onboarding.openTradeGuide=Read di trady gid +bisqEasy.onboarding.watchVideo=Watch video +bisqEasy.onboarding.watchVideo.tooltip=Watch introduction video wey dey inside + +bisqEasy.onboarding.left.headline=Beta for bigeners +bisqEasy.onboarding.left.info=The trade wizard go guide you through your first Bitcoin trade. The Bitcoin sellers go help you if you get any question. +bisqEasy.onboarding.left.button=Start Trayd Wizard + +bisqEasy.onboarding.right.headline=For experyens traders +bisqEasy.onboarding.right.info=Browse di offerbook for di best offers or create your own offer. +bisqEasy.onboarding.right.button=Open Offerbook + + +################################################################################ +# +# Create offer +# +################################################################################ + +bisqEasy.tradeWizard.progress.directionAndMarket=Offer type +bisqEasy.tradeWizard.progress.price=Prais +bisqEasy.tradeWizard.progress.amount=Amon +bisqEasy.tradeWizard.progress.paymentMethods=Akan for Payment +bisqEasy.tradeWizard.progress.takeOffer=Select ofa +bisqEasy.tradeWizard.progress.review=Revyu + + +################################################################################ +# Create offer / Direction +################################################################################ + +bisqEasy.tradeWizard.directionAndMarket.headline=You wan buy or sell Bitcoin wit +bisqEasy.tradeWizard.directionAndMarket.buy=Buy Bitcoin +bisqEasy.tradeWizard.directionAndMarket.sell=Sell Bitcoin +bisqEasy.tradeWizard.directionAndMarket.feedback.headline=How to build up Reputashin? +bisqEasy.tradeWizard.directionAndMarket.feedback.subTitle1=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.gainReputation=Learn how to build up Reputashin +bisqEasy.tradeWizard.directionAndMarket.feedback.subTitle2=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.directionAndMarket.feedback.tradeWithoutReputation=Continue without Reputashin +bisqEasy.tradeWizard.directionAndMarket.feedback.backToBuy=Bak + + +################################################################################ +# Create offer / Market +################################################################################ + +bisqEasy.tradeWizard.market.headline.buyer=Which currency you wan use pay? +bisqEasy.tradeWizard.market.headline.seller=Which currency you wan take get paid? +bisqEasy.tradeWizard.market.subTitle=Choose your tradin currency +bisqEasy.tradeWizard.market.columns.name=Fiat kɔrɛnsi +bisqEasy.tradeWizard.market.columns.numOffers=Nọmba. ofa +bisqEasy.tradeWizard.market.columns.numPeers=Online peers + + +################################################################################ +# Create offer / Price +################################################################################ + +bisqEasy.price.headline=Wetin be your trade price? +bisqEasy.tradeWizard.price.subtitle=Dis one fit be as percentage price wey dey follow market price move or fixed price. +bisqEasy.price.percentage.title=Pesenj price +bisqEasy.price.percentage.inputBoxText=Persentij prais wey dey between -10% and 50% +bisqEasy.price.tradePrice.title=Fiksd praes +bisqEasy.price.tradePrice.inputBoxText=Trayd prais for {0} +bisqEasy.price.feedback.sentence=Your offer get {0} chance to make dem pick am for dis price. +bisqEasy.price.feedback.sentence.veryLow=very low +bisqEasy.price.feedback.sentence.low=low +bisqEasy.price.feedback.sentence.some=some +bisqEasy.price.feedback.sentence.good=beta +bisqEasy.price.feedback.sentence.veryGood=beta +bisqEasy.price.feedback.learnWhySection.openButton=Why? +bisqEasy.price.feedback.learnWhySection.closeButton=Bak to Trayd Price +bisqEasy.price.feedback.learnWhySection.title=Why I go pay higher price to seller? +bisqEasy.price.feedback.learnWhySection.description.intro=Di reason na say di seller need cover extra expenses and compensate for di seller service, specifically: +bisqEasy.price.feedback.learnWhySection.description.exposition=- 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.price.warn.invalidPrice.outOfRange=Di price wey you enter dey outside di allowed range of -10% to 50%. +bisqEasy.price.warn.invalidPrice.numberFormatException=Di price wey you enter no be valid number. +bisqEasy.price.warn.invalidPrice.exception=Di price wey you enter no valid.\n\nError message: {0} + + +################################################################################ +# Create offer / Amount +################################################################################ + +bisqEasy.tradeWizard.amount.headline.buyer=How much you wan spend? +bisqEasy.tradeWizard.amount.headline.seller=How much you wan receive? +bisqEasy.tradeWizard.amount.description.minAmount=Set di minimum value for di amount range +bisqEasy.tradeWizard.amount.description.maxAmount=Set di maximum value for di amount range +bisqEasy.tradeWizard.amount.description.fixAmount=Set the amount you wan trade +bisqEasy.tradeWizard.amount.addMinAmountOption=Add min/max ranje for amount +bisqEasy.tradeWizard.amount.removeMinAmountOption=Use fix value amoun +bisqEasy.component.amount.minRangeValue=Min {0} +bisqEasy.component.amount.maxRangeValue=Max {0} +bisqEasy.component.amount.baseSide.tooltip.btcAmount.marketPrice=Dis na di Bitcoin amount with current market price. +bisqEasy.component.amount.baseSide.tooltip.btcAmount.selectedPrice=Dis na di Bitcoin amount with your selected price. +bisqEasy.component.amount.baseSide.tooltip.buyerInfo=Sellers fit ask for higher price because dem get costs to build reputation.\n5-15% price premium dey common. +bisqEasy.component.amount.baseSide.tooltip.bestOfferPrice=Dis na di Bitcoin amount with di best price\nfrom matching offers: {0} +bisqEasy.component.amount.baseSide.tooltip.buyer.btcAmount=Dis na di Bitcoin amount wey you go receive +bisqEasy.component.amount.baseSide.tooltip.seller.btcAmount=Dis na di Bitcoin amount wey you go spend +bisqEasy.component.amount.baseSide.tooltip.taker.offerPrice=with di offer price: {0} + + +bisqEasy.tradeWizard.amount.limitInfo.overlay.headline=Reputashin-based trady amount limits +bisqEasy.tradeWizard.amount.limitInfo.overlay.close=Close overlay + +bisqEasy.tradeWizard.amount.seller.wizard.numMatchingOffers.info=Dere {0} wey match di chosen trade amount. +bisqEasy.tradeWizard.amount.seller.wizard.limitInfo=With your Reputashin Skor of {0}, you fit trade up to +bisqEasy.tradeWizard.amount.seller.wizard.limitInfo.overlay.info=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.tradeWizard.amount.seller.limitInfo.scoreTooLow=With your Reputashin Skor of {0}, your trade amount should not exceed +bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.scoreTooLow=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.takeOffer.amount.seller.limitInfo.lowToleratedAmount=As the trad amount dey below {0}, Reputashin requirements don relax. +bisqEasy.takeOffer.amount.seller.limitInfo.scoreTooLow=As your Reputashin Skor be only {0}, your trade amount dey restricted to +bisqEasy.takeOffer.amount.seller.limitInfo.overlay.info.scoreTooLow=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.tradeWizard.amount.seller.limitInfo.sufficientScore=Your Reputashin Skor of {0} dey provide security for offers up to +bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.sufficientScore=With Reputashin Skor of {0}, you dey provide security for trades up to {1}. + +bisqEasy.tradeWizard.amount.seller.limitInfo.inSufficientScore=Di sekuriti wey your Reputashin Skor of {0} dey provide no dey enough for offers wey pass +bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.inSufficientScore=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.amount.seller.limitInfoAmount={0}. +bisqEasy.tradeWizard.amount.seller.limitInfo.link=Lern more + + +bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.linkToWikiText=For more details about the Reputashin system, visit the Bisq Wiki at: + +bisqEasy.tradeWizard.amount.seller.limitInfo.noReputationNeededForMaxOrFixedAmount=For amounts up to {0} no Reputashin needed. +bisqEasy.tradeWizard.amount.seller.limitInfo.noReputationNeededForMaxOrFixedAmount.overlay.info.scoreTooLow=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.tradeWizard.amount.buyer.limitInfo.learnMore=Lern more + +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.buyer.numSellers.0=no seller dey +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.buyer.numSellers.1=na one seller +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.buyer.numSellers.*=na {0} sellers + +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.numOffers.0=no be any offer +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.numOffers.1=na one offer +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.numOffers.*=na {0} offers + +bisqEasy.tradeWizard.amount.buyer.limitInfo=Dere {0} for di network wey get enough Reputashin to take offer of {1}. +bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.info=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.tradeWizard.amount.buyer.limitInfo.wizard.info.leadLine=Dere {0} wey match di trade amount wey you choose. +bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.info=For offers up to {0}, Reputashin requirements dey relaxed. +bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.overlay.info=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.amount.buyer.limitInfo.noReputationNeededForMaxOrFixedAmount=Sellers wey no get Reputashin fit take offers up to {0}. +bisqEasy.tradeWizard.amount.buyer.limitInfo.noReputationNeededForMaxOrFixedAmount.riskInfo=Make sure say you sabi all the risks wey dey involved. +bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.noReputationNeededForMaxOrFixedAmount.info=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.tradeWizard.amount.buyer.limitInfo.overlay.linkToWikiText=If you wan sabi more about the Reputashin system, visit: + + +bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo.leadLine=As your min. amount dey below {0}, sellers wey no get Reputashin fit take your offer. +bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo=For di max. amount of {0} dere {1} wey get enough Reputashin to take your offer. +bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo.overlay.info=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. + + +################################################################################ +# Create offer / Payment methods +################################################################################ + +bisqEasy.tradeWizard.paymentMethods.headline=Which Akaunt for Payment and setlment methods you wan use? +bisqEasy.tradeWizard.paymentMethods.fiat.subTitle.buyer=Choose di Akaunt for Payment wey go transfer {0} +bisqEasy.tradeWizard.paymentMethods.fiat.subTitle.seller=Choose di Akaunt for Payment wey you go use to Receiv {0} +bisqEasy.tradeWizard.paymentMethods.bitcoin.subTitle.buyer=Choose the setlment methods to Receiv Bitcoin +bisqEasy.tradeWizard.paymentMethods.bitcoin.subTitle.seller=Choose the settlment methods to Send Bitcoin +bisqEasy.tradeWizard.paymentMethods.noneFound=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.paymentMethods.customMethod.prompt=Kustom payment +bisqEasy.tradeWizard.paymentMethods.warn.maxMethodsReached=You no fit add pass 4 payment methods. +bisqEasy.tradeWizard.paymentMethods.warn.tooLong=A custom payment method name no suppose pass 20 characters. +bisqEasy.tradeWizard.paymentMethods.warn.customPaymentMethodAlreadyExists=One custom payment method with name {0} don already exist. +bisqEasy.tradeWizard.paymentMethods.warn.customNameMatchesPredefinedMethod=The name of your custom payment method no suppose be di same as one of di predefined. +bisqEasy.tradeWizard.paymentMethods.warn.noFiatPaymentMethodSelected=Abeg choose at least one Akaunt for Payment wey be fiat. +bisqEasy.tradeWizard.paymentMethods.warn.noBtcSettlementMethodSelected=Abeg choose at least one Bitcoin settlemnt method. + + +################################################################################ +# TradeWizard / Select offer +################################################################################ + +bisqEasy.tradeWizard.selectOffer.headline.buyer=Buy Bitcoin for {0} +bisqEasy.tradeWizard.selectOffer.headline.seller=Sell Bitcoin for {0} +bisqEasy.tradeWizard.selectOffer.subHeadline=E good to trade with users wey get high reputation. +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.headline=No matching offers wey dem find +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.subHeadline=No offers dey available for your selection criteria. +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.goBack=Change selekshon +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.goBack.info=Go back to the previous screens and change the selekshon +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.browseOfferbook=Browse Offerbook +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.browseOfferbook.info=Close di trade wizard and browse di offer book + + +################################################################################ +# TradeWizard / Review +################################################################################ + +bisqEasy.tradeWizard.review.headline.maker=Reviw offer +bisqEasy.tradeWizard.review.headline.taker=Reviw Trayd +bisqEasy.tradeWizard.review.detailsHeadline.taker=Trayd details +bisqEasy.tradeWizard.review.detailsHeadline.maker=Detal for Offer +bisqEasy.tradeWizard.review.feeDescription=Trayd Fi +bisqEasy.tradeWizard.review.noTradeFees=No trade fees for Bisq Easy +bisqEasy.tradeWizard.review.sellerPaysMinerFeeLong=Na seller dey pay the mining fee +bisqEasy.tradeWizard.review.sellerPaysMinerFee=Seller dey pay the mining fee +bisqEasy.tradeWizard.review.noTradeFeesLong=No trade fees dey for Bisq Easy + +bisqEasy.tradeWizard.review.toPay=Amon to Pay +bisqEasy.tradeWizard.review.toSend=Amon to Send +bisqEasy.tradeWizard.review.toReceive=Amon to Receiv +bisqEasy.tradeWizard.review.direction={0} Bitcoin +bisqEasy.tradeWizard.review.paymentMethodDescription.btc=Bitcoin setlment metd +bisqEasy.tradeWizard.review.paymentMethodDescriptions.btc.maker=Bitcoin setlment metods +bisqEasy.tradeWizard.review.paymentMethodDescriptions.btc.taker=Select Bitcoin setlment metod +bisqEasy.tradeWizard.review.paymentMethodDescription.fiat=Fiat Akaunt for Payment +bisqEasy.tradeWizard.review.paymentMethodDescriptions.fiat.maker=Fiat Akaunt for Payment metods +bisqEasy.tradeWizard.review.paymentMethodDescriptions.fiat.taker=Select Akaunt for Payment wey na fiat +bisqEasy.tradeWizard.review.price={0} <{1} style=trade-wizard-review-code> + +bisqEasy.tradeWizard.review.priceDescription.taker=Trayd prais +bisqEasy.tradeWizard.review.priceDescription.maker=Offer pris +bisqEasy.tradeWizard.review.priceDetails.fix=Fix prais. {0} {1} market prais of {2} +bisqEasy.tradeWizard.review.priceDetails.fix.atMarket=Fix price. Na di same as market price of {0} +bisqEasy.tradeWizard.review.priceDetails.float=Float prais. {0} {1} market prais of {2} +bisqEasy.tradeWizard.review.priceDetails=De move with market price +bisqEasy.tradeWizard.review.nextButton.createOffer=Create ofa +bisqEasy.tradeWizard.review.nextButton.takeOffer=Confirm Reputashin + +bisqEasy.tradeWizard.review.createOfferSuccess.headline=Offer don dey successfully published +bisqEasy.tradeWizard.review.createOfferSuccess.subTitle=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.tradeWizard.review.createOfferSuccessButton=Show my offer for 'Offerbook' + +bisqEasy.tradeWizard.review.takeOfferSuccess.headline=You don successfully take the offer +bisqEasy.tradeWizard.review.takeOfferSuccess.subTitle=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.tradeWizard.review.takeOfferSuccessButton=Show trade for 'Open Trades' + + +################################################################################ +# Create offer / Review +################################################################################# + +bisqEasy.tradeWizard.review.table.baseAmount.buyer=You go receive +bisqEasy.tradeWizard.review.table.baseAmount.seller=You go spend +bisqEasy.tradeWizard.review.table.price=Price for {0} +bisqEasy.tradeWizard.review.table.reputation=Reputashin +bisqEasy.tradeWizard.review.chatMessage.fixPrice={0} +bisqEasy.tradeWizard.review.chatMessage.floatPrice.above={0} above market prais +bisqEasy.tradeWizard.review.chatMessage.floatPrice.below={0} below market prais +bisqEasy.tradeWizard.review.chatMessage.marketPrice=Market prais +bisqEasy.tradeWizard.review.chatMessage.price=Prais: +bisqEasy.tradeWizard.review.chatMessage.peerMessage.sell=Sell Bitcoin to {0}\nAmount: {1}\nBitcoin payment method(s): {2}\nFiat payment method(s): {3}\n{4} +bisqEasy.tradeWizard.review.chatMessage.peerMessage.buy=Buy Bitcoin from {0}\nAmount: {1}\nBitcoin payment method(s): {2}\nFiat payment method(s): {3}\n{4} +bisqEasy.tradeWizard.review.chatMessage.offerDetails=Amount: {0}\nBitcoin payment method(s): {1}\nFiat payment method(s): {2}\n{3} +bisqEasy.tradeWizard.review.chatMessage.peerMessageTitle.sell=Sell Bitcoin to +bisqEasy.tradeWizard.review.chatMessage.peerMessageTitle.buy=Buy Bitcoin from +bisqEasy.tradeWizard.review.chatMessage.myMessageTitle=My Offer to {0} Bitcoin + + +################################################################################ +# +# Take offer +# +################################################################################ + +bisqEasy.takeOffer.progress.amount=Trayd amount +bisqEasy.takeOffer.progress.method=Akaunt for Payment +bisqEasy.takeOffer.progress.review=Revyu trad + +bisqEasy.takeOffer.amount.headline.buyer=How much you wan spend? +bisqEasy.takeOffer.amount.headline.seller=How much you wan trade? +bisqEasy.takeOffer.amount.description=The offer allows you fit choose trade amount\nbetween {0} and {1} +bisqEasy.takeOffer.amount.description.limitedByTakersReputation=Your Reputashin Skor of {0} dey allow you fit choose trad amount\nbetween {1} and {2} + +bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMax=Seller Reputashin Skor na only {0}. E no dey recommended to trade pass +bisqEasy.takeOffer.amount.buyer.limitInfoAmount={0}. +bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMax.overlay.info=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.takeOffer.amount.buyer.limitInfo.minAmountCovered=Seller''s Reputashin Skor of {0} dey provide security up to +bisqEasy.takeOffer.amount.buyer.limitInfo.minAmountCovered.overlay.info=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.takeOffer.amount.buyer.limitInfo.minAmountNotCovered=Seller Reputashin Skor of {0} no fit provide enough security for dat offer. +bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMin.overlay.info=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.takeOffer.amount.buyer.limitInfo.learnMore=Lern more +bisqEasy.takeOffer.amount.buyer.limitInfo.overlay.linkToWikiText=To sabi more about the Reputashin system, visit: + +bisqEasy.takeOffer.paymentMethods.headline.fiat=Wetin be the payment method wey you wan use? +bisqEasy.takeOffer.paymentMethods.headline.fiatAndBitcoin=Which Akaunt for Payment and setlment method you wan use? +bisqEasy.takeOffer.paymentMethods.headline.bitcoin=Which setlment method you wan use? +bisqEasy.takeOffer.paymentMethods.subtitle.fiat.buyer=Choose payment method wey go transfer {0} +bisqEasy.takeOffer.paymentMethods.subtitle.fiat.seller=Choose one payment method to Receiv {0} +bisqEasy.takeOffer.paymentMethods.subtitle.bitcoin.buyer=Choose a setlment method to Receiv Bitcoin +bisqEasy.takeOffer.paymentMethods.subtitle.bitcoin.seller=Choose a setlment method to Send Bitcoin + +bisqEasy.takeOffer.review.headline=Review Trayd +bisqEasy.takeOffer.review.detailsHeadline=Trayd detayls +bisqEasy.takeOffer.review.method.fiat=Fiat Akaunt for Payment +bisqEasy.takeOffer.review.method.bitcoin=Bitcoin payment method +bisqEasy.takeOffer.review.price.price=Trayd price +bisqEasy.takeOffer.review.noTradeFees=No trade fees for Bisq Easy +bisqEasy.takeOffer.review.sellerPaysMinerFeeLong=Na seller dey pay the mining fee +bisqEasy.takeOffer.review.sellerPaysMinerFee=Seller dey pay the mining fee +bisqEasy.takeOffer.review.noTradeFeesLong=No trade fees dey for Bisq Easy +bisqEasy.takeOffer.review.takeOffer=Confirm Receiv offer +bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.headline=Sending take-offer mesaj +bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.subTitle=Sending di take-offer message fit take up to 2 minutes +bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.info=No close di window or di application until you see di confirmation say di take-offer request don dey successfully Send. +bisqEasy.takeOffer.review.takeOfferSuccess.headline=You don successfully take the offer +bisqEasy.takeOffer.review.takeOfferSuccess.subTitle=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.takeOffer.review.takeOfferSuccessButton=Show trade for 'Open Trades' +bisqEasy.takeOffer.tradeLogMessage={0} don send message to take {1}'s offer + +bisqEasy.takeOffer.noMediatorAvailable.warning=No mediator dey available. You go need use the support chat instead. +bisqEasy.takeOffer.makerBanned.warning=The maker of this offer don dey banned. Abeg try use different offer. +# suppress inspection "UnusedProperty" +bisqEasy.takeOffer.bitcoinPaymentData.warning.MAIN_CHAIN=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. +# suppress inspection "UnusedProperty" +bisqEasy.takeOffer.bitcoinPaymentData.warning.LN=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.takeOffer.bitcoinPaymentData.warning.proceed=Ignoer warning + + +################################################################################ +# +# TradeGuide +# +################################################################################ + +bisqEasy.tradeGuide.tabs.headline=Trayd Gaid +bisqEasy.tradeGuide.welcome=Ovwervu +bisqEasy.tradeGuide.security=Sekuriti +bisqEasy.tradeGuide.process=Proses +bisqEasy.tradeGuide.rules=Trayd rulz + +bisqEasy.tradeGuide.welcome.headline=How to trade for Bisq Easy +bisqEasy.tradeGuide.welcome.content=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.tradeGuide.security.headline=How safe e be to trade for Bisq Easy? +bisqEasy.tradeGuide.security.content=- 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.tradeGuide.process.headline=How the trade process dey work? +bisqEasy.tradeGuide.process.content=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.tradeGuide.process.steps=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.tradeGuide.rules.headline=Wetin I need to know about the trade rules? +bisqEasy.tradeGuide.rules.content=- 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.tradeGuide.rules.confirm=I don read and understand + +bisqEasy.tradeGuide.notConfirmed.warn=Abeg read the trade guide and confirm say you don read and understand the trade rules. +bisqEasy.tradeGuide.open=Gaiɗ for open trade + + +################################################################################ +# WalletGuide +################################################################################ + +bisqEasy.walletGuide.open=Walet guide wey go help you open + +bisqEasy.walletGuide.tabs.headline=Walet gide +bisqEasy.walletGuide.intro=Intro +bisqEasy.walletGuide.download=Download +bisqEasy.walletGuide.createWallet=New Walet +bisqEasy.walletGuide.receive=Receiv + +bisqEasy.walletGuide.intro.headline=Make ready to receive your first Bitcoin +bisqEasy.walletGuide.intro.content=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.walletGuide.download.headline=Downloading your Walet +bisqEasy.walletGuide.download.content=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.walletGuide.download.link=Click here to visit Bluewallet's page + +bisqEasy.walletGuide.createWallet.headline=Creating your new Walet +bisqEasy.walletGuide.createWallet.content=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.walletGuide.receive.headline=Receiving bitcoin for your wallet +bisqEasy.walletGuide.receive.content=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.walletGuide.receive.link1=Bluewallet tutorial wey Anita Posch do +bisqEasy.walletGuide.receive.link2=Bluewallet tutoryal by BTC Sessions + + +###################################################### +# Offerbook +###################################################### + +bisqEasy.offerbook.markets=Makets +bisqEasy.offerbook.markets.CollapsedList.Tooltip=Expand Makets +bisqEasy.offerbook.markets.ExpandedList.Tooltip=Collapse Makets +bisqEasy.offerbook.marketListCell.numOffers.one={0} offer +bisqEasy.offerbook.marketListCell.numOffers.many={0} offers +bisqEasy.offerbook.marketListCell.numOffers.tooltip.none=No offers yet available for the {0} market +bisqEasy.offerbook.marketListCell.numOffers.tooltip.one={0} offer dey available for the {1} market +bisqEasy.offerbook.marketListCell.numOffers.tooltip.many={0} offers dey available for the {1} market +bisqEasy.offerbook.marketListCell.favourites.tooltip.addToFavourites=Add to favourites +bisqEasy.offerbook.marketListCell.favourites.tooltip.removeFromFavourites=Remove from favourites +bisqEasy.offerbook.marketListCell.favourites.maxReached.popup=We fit only save 5 favourites. Remove one favourite first before you try again. + +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.tooltip=Sort and filter makets +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.sortTitle=Sort by: +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.mostOffers=Most offer +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.nameAZ=Nai A-Z +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.nameZA=Nai Z-A +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.filterTitle=Show makets: +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.withOffers=Wit offers +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.favourites=Na my favourites only +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.all=All + +bisqEasy.offerbook.chatMessage.deleteOffer.confirmation=You dey sure say you wan delete this offer? +bisqEasy.offerbook.chatMessage.deleteMessage.confirmation=Are you sure say you wan delete dis message? + +bisqEasy.offerbook.offerList=Ofa List +bisqEasy.offerbook.offerList.collapsedList.tooltip=Expand Ofa List +bisqEasy.offerbook.offerList.expandedList.tooltip=Collapse Offer List +bisqEasy.offerbook.offerList.table.columns.peerProfile=Profil for Peer +bisqEasy.offerbook.offerList.table.columns.price=Prais +bisqEasy.offerbook.offerList.table.columns.fiatAmount={0} amaunt +bisqEasy.offerbook.offerList.table.columns.paymentMethod=Payment +bisqEasy.offerbook.offerList.table.columns.settlementMethod=Setlment +bisqEasy.offerbook.offerList.table.filters.offerDirection.buyFrom=Buy From +bisqEasy.offerbook.offerList.table.filters.offerDirection.sellTo=Sell to: +bisqEasy.offerbook.offerList.table.filters.paymentMethods.title=Payments ({0}) +bisqEasy.offerbook.offerList.table.filters.paymentMethods.title.all=All +bisqEasy.offerbook.offerList.table.filters.paymentMethods.customPayments=Kustom payments +bisqEasy.offerbook.offerList.table.filters.paymentMethods.clearFilters=Klear filta +bisqEasy.offerbook.offerList.table.filters.showMyOffersOnly=Na my offers only + +bisqEasy.offerbook.offerList.table.columns.price.tooltip.fixPrice=Fiks price: {0}\nPersent from current market price: {1} +bisqEasy.offerbook.offerList.table.columns.price.tooltip.marketPrice=Market prais: {0} +bisqEasy.offerbook.offerList.table.columns.price.tooltip.floatPrice=Persentij pri{0}\nWith current market pri: {1} + + +###################################################### +# Open trades +###################################################### + +bisqEasy.openTrades.table.headline=My open trades +bisqEasy.openTrades.noTrades=You no get any open trades +bisqEasy.openTrades.rejectTrade=Reject Trayd +bisqEasy.openTrades.cancelTrade=Cancel Trayd +bisqEasy.openTrades.tradeLogMessage.rejected={0} reject the trade +bisqEasy.openTrades.tradeLogMessage.cancelled={0} don cancel di trade +bisqEasy.openTrades.rejectTrade.warning=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.openTrades.cancelTrade.warning.buyer=Since di exchange of Akaunt details don start, canceling di Trayd without di seller's {0} +bisqEasy.openTrades.cancelTrade.warning.seller=Since di exchange of Akaunt detel don start, canceling di trad without di buyer's {0} + +bisqEasy.openTrades.cancelTrade.warning.part2=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.openTrades.closeTrade.warning.interrupted=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.openTrades.closeTrade.warning.completed=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.openTrades.closeTrade=Close trad +bisqEasy.openTrades.confirmCloseTrade=Confirm say you wan close trade +bisqEasy.openTrades.exportTrade=Eksport trad data +bisqEasy.openTrades.reportToMediator=Report to Mediator +bisqEasy.openTrades.rejected.self=You don reject the trade +bisqEasy.openTrades.rejected.peer=Your trade peer don reject the trade +bisqEasy.openTrades.cancelled.self=You don cancel the trade +bisqEasy.openTrades.cancelled.peer=Your trade peer don cancel the trade +bisqEasy.openTrades.inMediation.info=A mediator don join the trade chat. Abeg use the trade chat below to get assistance from the mediator. +bisqEasy.openTrades.failed=Di trade fail wit error message: {0} +bisqEasy.openTrades.failed.popup=Di trade fail because of error.\nError message: {0}\n\nStack trace: {1} +bisqEasy.openTrades.failedAtPeer=Di peer im trade fail wit error wey be say: {0} +bisqEasy.openTrades.failedAtPeer.popup=Di peer im trade fail because of error.\nError wey cause am: {0}\n\nStack trace: {1} +bisqEasy.openTrades.table.tradePeer=Peer +bisqEasy.openTrades.table.me=Me +bisqEasy.openTrades.table.mediator=Mediator +bisqEasy.openTrades.table.tradeId=ID Transakshon +bisqEasy.openTrades.table.price=Prais +bisqEasy.openTrades.table.baseAmount=Amount for Bitcoin +bisqEasy.openTrades.table.quoteAmount=Amon +bisqEasy.openTrades.table.paymentMethod=Akaunt for Payment +bisqEasy.openTrades.table.paymentMethod.tooltip=Fiat Akaunt for Payment: {0} +bisqEasy.openTrades.table.settlementMethod=Setlment +bisqEasy.openTrades.table.settlementMethod.tooltip=Bitcoin settlment metod: {0} +bisqEasy.openTrades.table.makerTakerRole=My rol +bisqEasy.openTrades.table.direction.buyer=Buying from: +bisqEasy.openTrades.table.direction.seller=Sell to: +bisqEasy.openTrades.table.makerTakerRole.maker=Maka +bisqEasy.openTrades.table.makerTakerRole.taker=Taker +bisqEasy.openTrades.csv.quoteAmount=Amount inside {0} +bisqEasy.openTrades.csv.txIdOrPreimage=ID Transakshon/Preimage +bisqEasy.openTrades.csv.receiverAddressOrInvoice=Receiv address/Invoice +bisqEasy.openTrades.csv.paymentMethod=Akaunt for Payment + +bisqEasy.openTrades.chat.peer.description=Chat peer +bisqEasy.openTrades.chat.detach=Remove +bisqEasy.openTrades.chat.detach.tooltip=Open chat for new window +bisqEasy.openTrades.chat.attach=Restore +bisqEasy.openTrades.chat.attach.tooltip=Bring chat back to main window +bisqEasy.openTrades.chat.window.title={0} - Chat wit {1} / ID Transakshon: {2} +bisqEasy.openTrades.chat.peerLeft.headline={0} don leave di trade +bisqEasy.openTrades.chat.peerLeft.subHeadline=If di trade never complete on your side and if you need help, contact di mediator or visit di support chat. + +###################################################### +# Private chat +###################################################### + +bisqEasy.privateChats.leave=Comot chat +bisqEasy.privateChats.table.myUser=My profil + + +###################################################### +# Top pane +###################################################### + +# Commented out in code +# suppress inspection "UnusedProperty" +bisqEasy.topPane.filter=Filter Offerbook +# Commented out in code +# suppress inspection "UnusedProperty" +bisqEasy.topPane.closeFilter=Close filta +bisqEasy.topPane.filter.offersOnly=Only show offers for Bisq Easy offerbook + + +################################################################################ +# +# BisqEasyOfferDetails +# +################################################################################ + +bisqEasy.offerDetails.headline=Detel for Offer +bisqEasy.offerDetails.buy=Offer to buy Bitcoin +bisqEasy.offerDetails.sell=Offer to sell Bitcoin + +bisqEasy.offerDetails.direction=Offer type +bisqEasy.offerDetails.baseSideAmount=Bitcoin amount +bisqEasy.offerDetails.quoteSideAmount={0} amaunt +bisqEasy.offerDetails.price={0} ofer pris +bisqEasy.offerDetails.priceValue={0} (premium: {1}) +bisqEasy.offerDetails.paymentMethods=Supported Akaunt for Payment method(s) +bisqEasy.offerDetails.id=ID Offa +bisqEasy.offerDetails.date=Kreeshon deit +bisqEasy.offerDetails.makersTradeTerms=Makers trady terma + + +################################################################################ +# +# OpenTradesWelcome +# +################################################################################ + +bisqEasy.openTrades.welcome.headline=Welcome to your first Bisq Easy trad! +bisqEasy.openTrades.welcome.info=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.openTrades.welcome.line1=Learn about the security model of Bisq Easy +bisqEasy.openTrades.welcome.line2=See how the trade process dey work +bisqEasy.openTrades.welcome.line3=Make you sabi di trade rules + + +################################################################################ +# +# TradeState +# +################################################################################ + +bisqEasy.tradeState.requestMediation=Request Mediator +bisqEasy.tradeState.reportToMediator=Report to Mediator +bisqEasy.tradeState.acceptOrRejectSellersPrice.title=Make You Look Here for Price Change! +bisqEasy.tradeState.acceptOrRejectSellersPrice.description.buyersPrice=Your offer price to buy Bitcoin na {0}. +bisqEasy.tradeState.acceptOrRejectSellersPrice.description.sellersPrice=But, the seller dey offer you another price: {0}. +bisqEasy.tradeState.acceptOrRejectSellersPrice.description.question=You wan accept this new price or you wan reject/cancel* the trade? +bisqEasy.tradeState.acceptOrRejectSellersPrice.description.disclaimer=(*Note say for dis specific case, to cancel the trade no go be consider as violation of the trading rules.) +bisqEasy.tradeState.acceptOrRejectSellersPrice.button.accept=Accept pris + +# Trade State: Header +bisqEasy.tradeState.header.peer=Trayd peer +bisqEasy.tradeState.header.direction=I wan +bisqEasy.tradeState.header.send=Amount wey you wan Send +bisqEasy.tradeState.header.pay=Amount wey you go Pay +bisqEasy.tradeState.header.receive=Amon to Receiv +bisqEasy.tradeState.header.tradeId=ID Transakshon + +# Trade State: Phase (left side) +bisqEasy.tradeState.phase1=Akaunt Detel +bisqEasy.tradeState.phase2=Fiat payment +bisqEasy.tradeState.phase3=Bitcoin transfer +bisqEasy.tradeState.phase4=Trade don complete + +# Trade State: Info (right side) + +bisqEasy.tradeState.info.phase3b.balance.help.explorerLookup=Searching transaction for block explorer ''{0}'' +bisqEasy.tradeState.info.phase3b.balance.help.notConfirmed=Transaction don show for mempool but never confirm yet +bisqEasy.tradeState.info.phase3b.balance.help.confirmed=Transaction don confirm +bisqEasy.tradeState.info.phase3b.txId.failed=Transaction search for ''{0}'' fail with {1}: ''{2}'' +bisqEasy.tradeState.info.phase3b.button.skip=Skip wait for block Confirmeshon + +bisqEasy.tradeState.info.phase3b.balance.invalid.noOutputsForAddress=No matching outputs found for di transaction +bisqEasy.tradeState.info.phase3b.balance.invalid.multipleOutputsForAddress=Multiple matching outputs found for di transaction +bisqEasy.tradeState.info.phase3b.balance.invalid.amountNotMatching=Output amount from di transaction no dey match di trade amount + +bisqEasy.tradeState.info.phase3b.button.next=Next +bisqEasy.tradeState.info.phase3b.button.next.amountNotMatching=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.phase3b.button.next.noOutputForAddress=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.tradeState.info.phase3b.button.next.amountNotMatching.resolved=I don resolve am + +bisqEasy.tradeState.info.phase3b.txId=ID Transakshon +bisqEasy.tradeState.info.phase3b.txId.tooltip=Open transaction for block explorer +bisqEasy.tradeState.info.phase3b.lightning.preimage=Preimage + +bisqEasy.tradeState.info.phase4.txId.tooltip=Open transaction for block explorer +bisqEasy.tradeState.info.phase4.exportTrade=Eksport trad data +bisqEasy.tradeState.info.phase4.leaveChannel=Close trad +#################################################################### +# Dynamically created from BitcoinPaymentRail enum name +#################################################################### +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.bitcoinPaymentData.MAIN_CHAIN=Bitcoin adres +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.bitcoinPaymentData.LN=Lightning invoice +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.paymentProof.MAIN_CHAIN=ID Transakshon +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.paymentProof.LN=Preimage + + +# Trade State Info: Buyer +#################################################################### +# Dynamically created from BitcoinPaymentRail enum name +#################################################################### +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.headline.MAIN_CHAIN=Put your Bitcoin address +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.description.MAIN_CHAIN=Bitcoin adres +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.prompt.MAIN_CHAIN=Put your Bitcoin address +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.tradeLogMessage.MAIN_CHAIN={0} don Send Bitcoin Walet ''{1}'' +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.headline.LN=Fill in di Lightning invoice +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.description.LN=Lightning invoice +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.prompt.LN=Fill in di Lightning invoice +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.tradeLogMessage.LN={0} don Send the Lightning invoice ''{1}'' + +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.walletHelp=If you never set up wallet yet, you fit get help for wallet guide +bisqEasy.tradeState.info.buyer.phase1a.walletHelpButton=Open Walet guide +bisqEasy.tradeState.info.buyer.phase1a.send=Send go seller +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.tooltip=Scan QR code with your webcam +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.description=Webcam konekshon steyt +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.connecting=Deh connect to webcam... +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.imageRecognized=Webcam don connect +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.failed=Connecting to webcam fail +bisqEasy.tradeState.info.buyer.phase1b.headline=Wait for the seller payment account data +bisqEasy.tradeState.info.buyer.phase1b.info=You fit use the chat below to get in touch with the seller. + +bisqEasy.tradeState.info.buyer.phase2a.headline=Send {0} to the seller payment account +bisqEasy.tradeState.info.buyer.phase2a.quoteAmount=Amon to Send +bisqEasy.tradeState.info.buyer.phase2a.sellersAccount=Akaunt for Payment of seller +bisqEasy.tradeState.info.buyer.phase2a.reasonForPaymentInfo=Abeg leave the 'Reason for payment' field empty, if you dey make bank transfer +bisqEasy.tradeState.info.buyer.phase2a.confirmFiatSent=Confirm paymen of {0} +bisqEasy.tradeState.info.buyer.phase2a.tradeLogMessage={0} don start {1} Akaunt for Payment + +bisqEasy.tradeState.info.buyer.phase2b.headline=Wait for the seller to confirm say e receive payment +bisqEasy.tradeState.info.buyer.phase2b.info=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.buyer.phase3a.headline=Wait for the seller Bitcoin payment +bisqEasy.tradeState.info.buyer.phase3a.info=Di seller need to start di Bitcoin payment to di address wey you provide {0}. +bisqEasy.tradeState.info.buyer.phase3b.headline.ln=Di seller don send di Bitcoin via Lightning network +bisqEasy.tradeState.info.buyer.phase3b.info.ln=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.tradeState.info.buyer.phase3b.confirmButton.ln=Confirm Receiv +bisqEasy.tradeState.info.buyer.phase3b.tradeLogMessage.ln={0} don confirm say dem don receive di Bitcoin payment +bisqEasy.tradeState.info.buyer.phase3b.headline.MAIN_CHAIN=The seller don start the Bitcoin payment +bisqEasy.tradeState.info.buyer.phase3b.info.MAIN_CHAIN=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.tradeState.info.buyer.phase3b.balance=Receiv Bitcoin +bisqEasy.tradeState.info.buyer.phase3b.balance.prompt=Dey wait for blockchain data... + +# Trade State Info: Seller +bisqEasy.tradeState.info.seller.phase1.headline=Send your Akaunt for Payment data to the buyer +bisqEasy.tradeState.info.seller.phase1.accountData=My Akaunt for Payment data +bisqEasy.tradeState.info.seller.phase1.accountData.prompt=Put your payment account data. E.g. IBAN, BIC and account owner name +bisqEasy.tradeState.info.seller.phase1.buttonText=Send Akaunt for Payment data +bisqEasy.tradeState.info.seller.phase1.note=Note: You fit use the chat below to get in touch with the buyer before you reveal your account data. +bisqEasy.tradeState.info.seller.phase1.tradeLogMessage={0} don Send the Akaunt for Payment data:\n{1} + +bisqEasy.tradeState.info.seller.phase2a.waitForPayment.headline=Wait for the buyer {0} payment +bisqEasy.tradeState.info.seller.phase2a.waitForPayment.info=Once the buyer don start the payment of {0}, you go get notified. + +bisqEasy.tradeState.info.seller.phase2b.headline=Check if you don receive {0} +bisqEasy.tradeState.info.seller.phase2b.info=Visit your bank account or payment provider app to confirm say you don receive di buyer's payment. + +bisqEasy.tradeState.info.seller.phase2b.fiatReceivedButton=Confirm Receiv of {0} +bisqEasy.tradeState.info.seller.phase2b.tradeLogMessage={0} don confirm say dem don Receiv {1} + +bisqEasy.tradeState.info.seller.phase3a.fiatPaymentReceivedCheckBox=I don confirm say I don receive {0} +bisqEasy.tradeState.info.seller.phase3a.sendBtc=Send {0} go di buyer +bisqEasy.tradeState.info.seller.phase3a.baseAmount=Amount wey you go Send +bisqEasy.tradeState.info.seller.phase3a.qrCodeDisplay.openWindow=Open bigger display +bisqEasy.tradeState.info.seller.phase3a.qrCodeDisplay.window.title=Scan QR Code for trad ''{0}'' +bisqEasy.tradeState.info.seller.phase3b.headline.MAIN_CHAIN=Dey wait for blockchain Confirmeshon +bisqEasy.tradeState.info.seller.phase3b.info.MAIN_CHAIN=The Bitcoin payment need at least 1 blockchain confirmation to dey consider as complete. +bisqEasy.tradeState.info.seller.phase3b.balance=Bitcoin Akaunt for Payment +bisqEasy.tradeState.info.seller.phase3b.balance.prompt=Dey wait for blockchain data... + +#################################################################### +# Dynamically created from BitcoinPaymentRail enum name +#################################################################### +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.bitcoinPayment.description.MAIN_CHAIN=Bitcoin alamat +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.description.MAIN_CHAIN=ID Transakshon +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.prompt.MAIN_CHAIN=Put the Bitcoin transaction ID +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.paymentProof.MAIN_CHAIN=ID Transakshon +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.bitcoinPayment.description.LN=Lightning invoice +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.description.LN=Preimage (optional) +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.prompt.LN=Fill in di preimage if e dey available +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.paymentProof.LN=Preimage + +bisqEasy.tradeState.info.seller.phase3a.btcSentButton=I don confirm say I don send {0} +bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage={0} initiated the Bitcoin payment. {1}: ''{2}'' +bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.noProofProvided={0} don start di Bitcoin payment. + +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.MAIN_CHAIN=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. +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.LN=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.phase3a.paymentProof.warning.proceed=Ignoer warning + +bisqEasy.tradeState.info.seller.phase3b.headline.ln=Wait for di buyer to confirm di Bitcoin receipt +bisqEasy.tradeState.info.seller.phase3b.info.ln=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.tradeState.info.seller.phase3b.confirmButton.ln=Kompliti trad + + +###################################################### +# Trade Completed Table +##################################################### + +bisqEasy.tradeCompleted.title=Trade don successfully complete +bisqEasy.tradeCompleted.tableTitle=Sammari +bisqEasy.tradeCompleted.header.tradeWith=Trayd wit +bisqEasy.tradeCompleted.header.myDirection.seller=I sell +bisqEasy.tradeCompleted.header.myDirection.buyer=I buy +bisqEasy.tradeCompleted.header.myDirection.btc=Bitcoin +bisqEasy.tradeCompleted.header.myOutcome.seller=I Receiv +bisqEasy.tradeCompleted.header.myOutcome.buyer=I Don Pay +bisqEasy.tradeCompleted.header.paymentMethod=Akaunt for Payment +bisqEasy.tradeCompleted.header.tradeId=ID Transakshon +bisqEasy.tradeCompleted.body.date=Dei +bisqEasy.tradeCompleted.body.tradePrice=Trayd prais +bisqEasy.tradeCompleted.body.tradeFee=Trayd Fi +bisqEasy.tradeCompleted.body.tradeFee.value=No trade fees for Bisq Easy +bisqEasy.tradeCompleted.body.copy.txId.tooltip=Copy ID Transakshon to clipboard +bisqEasy.tradeCompleted.body.copy.explorerLink.tooltip=Copy block explorer ID Transakshon link +bisqEasy.tradeCompleted.body.txId.tooltip=Open blok eksplorer ID Transakshon + + +################################################################################ +# +# Mediation +# +################################################################################ + +bisqEasy.mediation.request.confirm.headline=Request Mediashon +bisqEasy.mediation.request.confirm.msg=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.mediation.request.confirm.openMediation=Open mediashon +bisqEasy.mediation.request.feedback.headline=Mediatshon don request +bisqEasy.mediation.request.feedback.msg=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.mediation.request.feedback.noMediatorAvailable=No mediator dey available. Abeg use the support chat instead. +bisqEasy.mediation.requester.tradeLogMessage={0} don request Mediator diff --git a/shared/domain/src/commonMain/resources/mobile/bisq_easy_pt_BR.properties b/shared/domain/src/commonMain/resources/mobile/bisq_easy_pt_BR.properties new file mode 100644 index 00000000..e6861811 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/bisq_easy_pt_BR.properties @@ -0,0 +1,804 @@ +#################################################################### +# +# Chat module +# +#################################################################### + +bisqEasy.offerBookChannel.description=Canal de mercado para negociação {0} +bisqEasy.mediator=Mediador + + +#################################################################### +# +# Desktop module +# +#################################################################### + + +###################################################### +# Bisq Easy +###################################################### + +bisqEasy.dashboard=Primeiros passos +bisqEasy.offerbook=Livro de ofertas +bisqEasy.openTrades=Minhas negociações abertas + + +###################################################### +# Bisq Easy dashboard +###################################################### + +bisqEasy.onboarding.top.headline=Bisq Easy em 3 minutos +bisqEasy.onboarding.top.content1=Obtenha uma rápida introdução ao Bisq Easy +bisqEasy.onboarding.top.content2=Veja como o processo de negociação funciona +bisqEasy.onboarding.top.content3=Aprenda sobre as regras simples de negociação +bisqEasy.onboarding.openTradeGuide=Leia o guia de negociação +bisqEasy.onboarding.watchVideo=Assistir vídeo +bisqEasy.onboarding.watchVideo.tooltip=Assistir vídeo introdutório embutido + +bisqEasy.onboarding.left.headline=Melhor para iniciantes +bisqEasy.onboarding.left.info=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.onboarding.left.button=Iniciar assistente de negociação + +bisqEasy.onboarding.right.headline=Para negociadores experientes +bisqEasy.onboarding.right.info=Navegue pelo livro de ofertas para encontrar as melhores ofertas ou crie a sua própria oferta. +bisqEasy.onboarding.right.button=Abrir livro de ofertas + + +################################################################################ +# +# Create offer +# +################################################################################ + +bisqEasy.tradeWizard.progress.directionAndMarket=Tipo de oferta +bisqEasy.tradeWizard.progress.price=Preço +bisqEasy.tradeWizard.progress.amount=Quantidade +bisqEasy.tradeWizard.progress.paymentMethods=Métodos de pagamento +bisqEasy.tradeWizard.progress.takeOffer=Selecionar oferta +bisqEasy.tradeWizard.progress.review=Revisão + + +################################################################################ +# Create offer / Direction +################################################################################ + +bisqEasy.tradeWizard.directionAndMarket.headline=Você deseja comprar ou vender Bitcoin com +bisqEasy.tradeWizard.directionAndMarket.buy=Comprar Bitcoin +bisqEasy.tradeWizard.directionAndMarket.sell=Vender Bitcoin +bisqEasy.tradeWizard.directionAndMarket.feedback.headline=Como construir reputação? +bisqEasy.tradeWizard.directionAndMarket.feedback.subTitle1=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.gainReputation=Aprenda a construir reputação +bisqEasy.tradeWizard.directionAndMarket.feedback.subTitle2=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.directionAndMarket.feedback.tradeWithoutReputation=Continue sem Reputação +bisqEasy.tradeWizard.directionAndMarket.feedback.backToBuy=Voltar + + +################################################################################ +# Create offer / Market +################################################################################ + +bisqEasy.tradeWizard.market.headline.buyer=Em qual moeda você deseja pagar? +bisqEasy.tradeWizard.market.headline.seller=Em qual moeda você deseja receber o pagamento? +bisqEasy.tradeWizard.market.subTitle=Escolha a sua moeda de negociação +bisqEasy.tradeWizard.market.columns.name=Moeda fiduciária +bisqEasy.tradeWizard.market.columns.numOffers=Nº de ofertas +bisqEasy.tradeWizard.market.columns.numPeers=Pares online + + +################################################################################ +# Create offer / Price +################################################################################ + +bisqEasy.price.headline=Qual é o seu preço de negociação? +bisqEasy.tradeWizard.price.subtitle=Isso pode ser definido como um preço percentual que flutua com o preço de mercado ou preço fixo. +bisqEasy.price.percentage.title=Preço percentual +bisqEasy.price.percentage.inputBoxText=Percentual do preço de mercado entre -10% e 50% +bisqEasy.price.tradePrice.title=Preço fixo +bisqEasy.price.tradePrice.inputBoxText=Preço de negociação em {0} +bisqEasy.price.feedback.sentence=Sua oferta tem {0} chances de ser aceita a esse preço. +bisqEasy.price.feedback.sentence.veryLow=muito baixas +bisqEasy.price.feedback.sentence.low=baixas +bisqEasy.price.feedback.sentence.some=algumas +bisqEasy.price.feedback.sentence.good=boas +bisqEasy.price.feedback.sentence.veryGood=muito boas +bisqEasy.price.feedback.learnWhySection.openButton=Por quê? +bisqEasy.price.feedback.learnWhySection.closeButton=Voltar para Preço de Negociação +bisqEasy.price.feedback.learnWhySection.title=Por que eu devo pagar um preço mais alto para o vendedor? +bisqEasy.price.feedback.learnWhySection.description.intro=A razão para isso é que o vendedor precisa cobrir despesas extras e compensar pelo serviço prestado, especificamente: +bisqEasy.price.feedback.learnWhySection.description.exposition=- 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.price.warn.invalidPrice.outOfRange=O preço inserido está fora da faixa permitida de -10% a 50%. +bisqEasy.price.warn.invalidPrice.numberFormatException=O preço inserido não é um número válido. +bisqEasy.price.warn.invalidPrice.exception=O preço inserido é inválido.\n\nMensagem de erro: {0} + + +################################################################################ +# Create offer / Amount +################################################################################ + +bisqEasy.tradeWizard.amount.headline.buyer=Quanto você deseja gastar? +bisqEasy.tradeWizard.amount.headline.seller=Quanto você deseja receber? +bisqEasy.tradeWizard.amount.description.minAmount=Defina o valor mínimo para a faixa de quantidade +bisqEasy.tradeWizard.amount.description.maxAmount=Defina o valor máximo para a faixa de quantidade +bisqEasy.tradeWizard.amount.description.fixAmount=Defina a quantidade que deseja negociar +bisqEasy.tradeWizard.amount.addMinAmountOption=Adicionar faixa mín/máx para quantidade +bisqEasy.tradeWizard.amount.removeMinAmountOption=Usar valor fixo para quantidade +bisqEasy.component.amount.minRangeValue=Mín {0} +bisqEasy.component.amount.maxRangeValue=Máx {0} +bisqEasy.component.amount.baseSide.tooltip.btcAmount.marketPrice=Este é o valor em Bitcoin com base no preço de mercado atual. +bisqEasy.component.amount.baseSide.tooltip.btcAmount.selectedPrice=Este é o valor em Bitcoin com base no preço selecionado. +bisqEasy.component.amount.baseSide.tooltip.buyerInfo=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.component.amount.baseSide.tooltip.bestOfferPrice=Este é o valor em Bitcoin com o melhor preço\ndas ofertas correspondentes: {0} +bisqEasy.component.amount.baseSide.tooltip.buyer.btcAmount=Este é o valor em Bitcoin a receber +bisqEasy.component.amount.baseSide.tooltip.seller.btcAmount=Este é o valor em Bitcoin a pagar +bisqEasy.component.amount.baseSide.tooltip.taker.offerPrice=com o preço da oferta: {0} + + +bisqEasy.tradeWizard.amount.limitInfo.overlay.headline=Limites de quantidade de negociação baseados na Reputação +bisqEasy.tradeWizard.amount.limitInfo.overlay.close=Fechar sobreposição + +bisqEasy.tradeWizard.amount.seller.wizard.numMatchingOffers.info=Há {0} correspondências com o valor de negociação escolhido. +bisqEasy.tradeWizard.amount.seller.wizard.limitInfo=Com sua Pontuação de Reputação de {0}, você pode negociar até +bisqEasy.tradeWizard.amount.seller.wizard.limitInfo.overlay.info=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.tradeWizard.amount.seller.limitInfo.scoreTooLow=Com sua Pontuação de Reputação de {0}, o valor da sua negociação não deve exceder +bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.scoreTooLow=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.takeOffer.amount.seller.limitInfo.lowToleratedAmount=Como o valor da negociação está abaixo de {0}, os requisitos de Reputação são relaxados. +bisqEasy.takeOffer.amount.seller.limitInfo.scoreTooLow=Como sua Pontuação de Reputação é apenas {0}, seu valor de negociação está restrito a +bisqEasy.takeOffer.amount.seller.limitInfo.overlay.info.scoreTooLow=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.tradeWizard.amount.seller.limitInfo.sufficientScore=Sua Pontuação de Reputação de {0} oferece segurança para ofertas de até +bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.sufficientScore=Com uma Pontuação de Reputação de {0}, você oferece segurança para negociações de até {1}. + +bisqEasy.tradeWizard.amount.seller.limitInfo.inSufficientScore=A segurança fornecida pela sua Pontuação de Reputação de {0} é insuficiente para ofertas acima de +bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.inSufficientScore=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.amount.seller.limitInfoAmount={0}. +bisqEasy.tradeWizard.amount.seller.limitInfo.link=Saiba mais + + +bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.linkToWikiText=Para mais detalhes sobre o sistema de Reputação, visite a Wiki do Bisq em: + +bisqEasy.tradeWizard.amount.seller.limitInfo.noReputationNeededForMaxOrFixedAmount=Para valores de até {0}, nenhuma Reputação é necessária. +bisqEasy.tradeWizard.amount.seller.limitInfo.noReputationNeededForMaxOrFixedAmount.overlay.info.scoreTooLow=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.tradeWizard.amount.buyer.limitInfo.learnMore=Saiba mais + +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.buyer.numSellers.0=não há nenhum vendedor +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.buyer.numSellers.1=há um vendedor +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.buyer.numSellers.*=há {0} vendedores + +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.numOffers.0=não há oferta +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.numOffers.1=é uma oferta +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.numOffers.*=são {0} ofertas + +bisqEasy.tradeWizard.amount.buyer.limitInfo=Há {0} na rede com Reputação suficiente para aceitar uma oferta de {1}. +bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.info=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.tradeWizard.amount.buyer.limitInfo.wizard.info.leadLine=Há {0} correspondências com o valor de negociação escolhido. +bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.info=Para ofertas de até {0}, os requisitos de Reputação são relaxados. +bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.overlay.info=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.amount.buyer.limitInfo.noReputationNeededForMaxOrFixedAmount=Vendedores sem Reputação podem aceitar ofertas de até {0}. +bisqEasy.tradeWizard.amount.buyer.limitInfo.noReputationNeededForMaxOrFixedAmount.riskInfo=Certifique-se de entender completamente os riscos envolvidos. +bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.noReputationNeededForMaxOrFixedAmount.info=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.tradeWizard.amount.buyer.limitInfo.overlay.linkToWikiText=Para saber mais sobre o sistema de Reputação, visite: + + +bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo.leadLine=Como seu valor mínimo está abaixo de {0}, vendedores sem Reputação podem aceitar sua oferta. +bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo=Para o valor máximo de {0}, não há {1} com reputação suficiente para aceitar sua oferta. +bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo.overlay.info=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. + + +################################################################################ +# Create offer / Payment methods +################################################################################ + +bisqEasy.tradeWizard.paymentMethods.headline=Quais métodos de pagamento e liquidação você deseja usar? +bisqEasy.tradeWizard.paymentMethods.fiat.subTitle.buyer=Escolha os métodos de pagamento para transferir {0} +bisqEasy.tradeWizard.paymentMethods.fiat.subTitle.seller=Escolha os métodos de pagamento para receber {0} +bisqEasy.tradeWizard.paymentMethods.bitcoin.subTitle.buyer=Escolha os métodos de liquidação para receber Bitcoin +bisqEasy.tradeWizard.paymentMethods.bitcoin.subTitle.seller=Escolha os métodos de liquidação para enviar Bitcoin +bisqEasy.tradeWizard.paymentMethods.noneFound=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.paymentMethods.customMethod.prompt=Pagamento personalizado +bisqEasy.tradeWizard.paymentMethods.warn.maxMethodsReached=Você não pode adicionar mais de 4 métodos de pagamento. +bisqEasy.tradeWizard.paymentMethods.warn.tooLong=Um nome de método de pagamento personalizado não deve ter mais de 20 caracteres. +bisqEasy.tradeWizard.paymentMethods.warn.customPaymentMethodAlreadyExists=Um método de pagamento personalizado com o nome {0} já existe. +bisqEasy.tradeWizard.paymentMethods.warn.customNameMatchesPredefinedMethod=O nome do seu método de pagamento personalizado não deve ser o mesmo que um dos predefinidos. +bisqEasy.tradeWizard.paymentMethods.warn.noFiatPaymentMethodSelected=Por favor, escolha pelo menos um método de pagamento fiat. +bisqEasy.tradeWizard.paymentMethods.warn.noBtcSettlementMethodSelected=Por favor, escolha pelo menos um método de liquidação em Bitcoin. + + +################################################################################ +# TradeWizard / Select offer +################################################################################ + +bisqEasy.tradeWizard.selectOffer.headline.buyer=Comprar Bitcoin por {0} +bisqEasy.tradeWizard.selectOffer.headline.seller=Vender Bitcoin por {0} +bisqEasy.tradeWizard.selectOffer.subHeadline=É recomendado negociar com usuários de alta reputação. +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.headline=Nenhuma oferta correspondente encontrada +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.subHeadline=Não há ofertas disponíveis para os seus critérios de seleção. +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.goBack=Alterar seleção +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.goBack.info=Volte às telas anteriores e altere a seleção +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.browseOfferbook=Navegar pelo livro de ofertas +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.browseOfferbook.info=Feche o assistente de negociação e navegue pelo livro de ofertas + + +################################################################################ +# TradeWizard / Review +################################################################################ + +bisqEasy.tradeWizard.review.headline.maker=Revisar oferta +bisqEasy.tradeWizard.review.headline.taker=Revisar negociação +bisqEasy.tradeWizard.review.detailsHeadline.taker=Detalhes da negociação +bisqEasy.tradeWizard.review.detailsHeadline.maker=Detalhes da oferta +bisqEasy.tradeWizard.review.feeDescription=Taxas +bisqEasy.tradeWizard.review.noTradeFees=Sem taxas de negociação no Bisq Easy +bisqEasy.tradeWizard.review.sellerPaysMinerFeeLong=O vendedor paga a taxa de mineração +bisqEasy.tradeWizard.review.sellerPaysMinerFee=Vendedor paga a taxa de mineração +bisqEasy.tradeWizard.review.noTradeFeesLong=Não há taxas de negociação no Bisq Easy + +bisqEasy.tradeWizard.review.toPay=Quantia a pagar +bisqEasy.tradeWizard.review.toSend=Quantia a enviar +bisqEasy.tradeWizard.review.toReceive=Quantia a receber +bisqEasy.tradeWizard.review.direction={0} Bitcoin +bisqEasy.tradeWizard.review.paymentMethodDescription.btc=Método de pagamento Bitcoin +bisqEasy.tradeWizard.review.paymentMethodDescriptions.btc.maker=Métodos de pagamento Bitcoin +bisqEasy.tradeWizard.review.paymentMethodDescriptions.btc.taker=Selecionar método de pagamento Bitcoin +bisqEasy.tradeWizard.review.paymentMethodDescription.fiat=Método de pagamento Fiat +bisqEasy.tradeWizard.review.paymentMethodDescriptions.fiat.maker=Métodos de pagamento Fiat +bisqEasy.tradeWizard.review.paymentMethodDescriptions.fiat.taker=Selecionar método de pagamento Fiat +bisqEasy.tradeWizard.review.price={0} <{1} style=trade-wizard-review-code> + +bisqEasy.tradeWizard.review.priceDescription.taker=Preço de negociação +bisqEasy.tradeWizard.review.priceDescription.maker=Preço da oferta +bisqEasy.tradeWizard.review.priceDetails.fix=Preço fixo. {0} {1} preço de mercado de {2} +bisqEasy.tradeWizard.review.priceDetails.fix.atMarket=Preço fixo. Mesmo que o preço de mercado de {0} +bisqEasy.tradeWizard.review.priceDetails.float=Preço flutuante. {0} {1} preço de mercado de {2} +bisqEasy.tradeWizard.review.priceDetails=Flutua com o preço de mercado +bisqEasy.tradeWizard.review.nextButton.createOffer=Criar oferta +bisqEasy.tradeWizard.review.nextButton.takeOffer=Confirmar negociação + +bisqEasy.tradeWizard.review.createOfferSuccess.headline=Oferta publicada com sucesso +bisqEasy.tradeWizard.review.createOfferSuccess.subTitle=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.tradeWizard.review.createOfferSuccessButton=Mostrar minha oferta em 'Livro de Ofertas' + +bisqEasy.tradeWizard.review.takeOfferSuccess.headline=Você aceitou a oferta com sucesso +bisqEasy.tradeWizard.review.takeOfferSuccess.subTitle=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.tradeWizard.review.takeOfferSuccessButton=Mostrar negociação em 'Negociações Abertas' + + +################################################################################ +# Create offer / Review +################################################################################# + +bisqEasy.tradeWizard.review.table.baseAmount.buyer=Você recebe +bisqEasy.tradeWizard.review.table.baseAmount.seller=Você gasta +bisqEasy.tradeWizard.review.table.price=Preço em {0} +bisqEasy.tradeWizard.review.table.reputation=Reputação +bisqEasy.tradeWizard.review.chatMessage.fixPrice={0} +bisqEasy.tradeWizard.review.chatMessage.floatPrice.above={0} acima do preço de mercado +bisqEasy.tradeWizard.review.chatMessage.floatPrice.below={0} abaixo do preço de mercado +bisqEasy.tradeWizard.review.chatMessage.marketPrice=Preço de mercado +bisqEasy.tradeWizard.review.chatMessage.price=Preço: +bisqEasy.tradeWizard.review.chatMessage.peerMessage.sell=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.tradeWizard.review.chatMessage.peerMessage.buy=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.tradeWizard.review.chatMessage.offerDetails=Quantidade: {0}\nMétodo(s) de pagamento em Bitcoin: {1}\nMétodo(s) de pagamento em Fiat: {2}\n{3} +bisqEasy.tradeWizard.review.chatMessage.peerMessageTitle.sell=Vender Bitcoin para +bisqEasy.tradeWizard.review.chatMessage.peerMessageTitle.buy=Comprar Bitcoin de +bisqEasy.tradeWizard.review.chatMessage.myMessageTitle=Minha Oferta de {0} Bitcoin + + +################################################################################ +# +# Take offer +# +################################################################################ + +bisqEasy.takeOffer.progress.amount=Quantidade de negociação +bisqEasy.takeOffer.progress.method=Método de pagamento +bisqEasy.takeOffer.progress.review=Revisar negociação + +bisqEasy.takeOffer.amount.headline.buyer=Quanto você deseja gastar? +bisqEasy.takeOffer.amount.headline.seller=Quanto você deseja negociar? +bisqEasy.takeOffer.amount.description=A oferta permite que você escolha uma quantidade de negociação\nentre {0} e {1} +bisqEasy.takeOffer.amount.description.limitedByTakersReputation=Sua Pontuação de Reputação de {0} permite que você escolha um valor de negociação\nentre {1} e {2} + +bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMax=A Pontuação de Reputação do vendedor é apenas {0}. Não é recomendável negociar mais do que +bisqEasy.takeOffer.amount.buyer.limitInfoAmount={0}. +bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMax.overlay.info=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.takeOffer.amount.buyer.limitInfo.minAmountCovered=A Pontuação de Reputação do vendedor de {0} oferece segurança até +bisqEasy.takeOffer.amount.buyer.limitInfo.minAmountCovered.overlay.info=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.takeOffer.amount.buyer.limitInfo.minAmountNotCovered=A Pontuação de Reputação do vendedor de {0} não fornece segurança suficiente para essa oferta. +bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMin.overlay.info=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.takeOffer.amount.buyer.limitInfo.learnMore=Saiba mais +bisqEasy.takeOffer.amount.buyer.limitInfo.overlay.linkToWikiText=Para saber mais sobre o sistema de Reputação, visite: + +bisqEasy.takeOffer.paymentMethods.headline.fiat=Qual método de pagamento você deseja usar? +bisqEasy.takeOffer.paymentMethods.headline.fiatAndBitcoin=Qual método de pagamento e liquidação você deseja usar? +bisqEasy.takeOffer.paymentMethods.headline.bitcoin=Qual método de liquidação você deseja usar? +bisqEasy.takeOffer.paymentMethods.subtitle.fiat.buyer=Escolha um método de pagamento para transferir {0} +bisqEasy.takeOffer.paymentMethods.subtitle.fiat.seller=Escolha um método de pagamento para receber {0} +bisqEasy.takeOffer.paymentMethods.subtitle.bitcoin.buyer=Escolha um método de liquidação para receber Bitcoin +bisqEasy.takeOffer.paymentMethods.subtitle.bitcoin.seller=Escolha um método de liquidação para enviar Bitcoin + +bisqEasy.takeOffer.review.headline=Revisar negociação +bisqEasy.takeOffer.review.detailsHeadline=Detalhes da negociação +bisqEasy.takeOffer.review.method.fiat=Método de pagamento Fiat +bisqEasy.takeOffer.review.method.bitcoin=Método de pagamento em Bitcoin +bisqEasy.takeOffer.review.price.price=Preço de negociação +bisqEasy.takeOffer.review.noTradeFees=Sem taxas de negociação no Bisq Easy +bisqEasy.takeOffer.review.sellerPaysMinerFeeLong=O vendedor paga a taxa de mineração +bisqEasy.takeOffer.review.sellerPaysMinerFee=Vendedor paga a taxa de mineração +bisqEasy.takeOffer.review.noTradeFeesLong=Não há taxas de negociação no Bisq Easy +bisqEasy.takeOffer.review.takeOffer=Confirmar oferta +bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.headline=Enviando mensagem de aceitação de oferta +bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.subTitle=Enviar a mensagem de aceitação de oferta pode levar até 2 minutos +bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.info=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.takeOffer.review.takeOfferSuccess.headline=Você aceitou a oferta com sucesso +bisqEasy.takeOffer.review.takeOfferSuccess.subTitle=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.takeOffer.review.takeOfferSuccessButton=Mostrar negociação em 'Negociações Abertas' +bisqEasy.takeOffer.tradeLogMessage={0} enviou uma mensagem para aceitar a oferta de {1} + +bisqEasy.takeOffer.noMediatorAvailable.warning=Não há mediador disponível. Você deve usar o chat de suporte em vez disso. +bisqEasy.takeOffer.makerBanned.warning=O criador desta oferta está banido. Por favor, tente usar uma oferta diferente. +# suppress inspection "UnusedProperty" +bisqEasy.takeOffer.bitcoinPaymentData.warning.MAIN_CHAIN=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. +# suppress inspection "UnusedProperty" +bisqEasy.takeOffer.bitcoinPaymentData.warning.LN=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.takeOffer.bitcoinPaymentData.warning.proceed=Ignorar aviso + + +################################################################################ +# +# TradeGuide +# +################################################################################ + +bisqEasy.tradeGuide.tabs.headline=Guia de Negociação +bisqEasy.tradeGuide.welcome=Visão Geral +bisqEasy.tradeGuide.security=Segurança +bisqEasy.tradeGuide.process=Processo +bisqEasy.tradeGuide.rules=Regras de Negociação + +bisqEasy.tradeGuide.welcome.headline=Como negociar no Bisq Easy +bisqEasy.tradeGuide.welcome.content=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.tradeGuide.security.headline=Quão seguro é negociar no Bisq Easy? +bisqEasy.tradeGuide.security.content=- 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.tradeGuide.process.headline=Como funciona o processo de negociação? +bisqEasy.tradeGuide.process.content=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.tradeGuide.process.steps=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.tradeGuide.rules.headline=O que eu preciso saber sobre as regras de negociação? +bisqEasy.tradeGuide.rules.content=- 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.tradeGuide.rules.confirm=Eu li e entendi + +bisqEasy.tradeGuide.notConfirmed.warn=Por favor, leia o guia de negociação e confirme que você leu e entendeu as regras de negociação. +bisqEasy.tradeGuide.open=Abrir guia de negociação + + +################################################################################ +# WalletGuide +################################################################################ + +bisqEasy.walletGuide.open=Abrir guia da carteira + +bisqEasy.walletGuide.tabs.headline=Guia da Carteira +bisqEasy.walletGuide.intro=Introdução +bisqEasy.walletGuide.download=Baixar +bisqEasy.walletGuide.createWallet=Nova carteira +bisqEasy.walletGuide.receive=Recebendo + +bisqEasy.walletGuide.intro.headline=Prepare-se para receber seu primeiro Bitcoin +bisqEasy.walletGuide.intro.content=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.walletGuide.download.headline=Baixando sua carteira +bisqEasy.walletGuide.download.content=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.walletGuide.download.link=Clique aqui para visitar a página da Bluewallet + +bisqEasy.walletGuide.createWallet.headline=Criando sua nova carteira +bisqEasy.walletGuide.createWallet.content=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.walletGuide.receive.headline=Recebendo bitcoin em sua carteira +bisqEasy.walletGuide.receive.content=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.walletGuide.receive.link1=Tutorial da Bluewallet por Anita Posch +bisqEasy.walletGuide.receive.link2=Tutorial da Bluewallet por BTC Sessions + + +###################################################### +# Offerbook +###################################################### + +bisqEasy.offerbook.markets=Mercados +bisqEasy.offerbook.markets.CollapsedList.Tooltip=Expandir Mercados +bisqEasy.offerbook.markets.ExpandedList.Tooltip=Reduzir Mercados +bisqEasy.offerbook.marketListCell.numOffers.one={0} oferta +bisqEasy.offerbook.marketListCell.numOffers.many={0} ofertas +bisqEasy.offerbook.marketListCell.numOffers.tooltip.none=Ainda não há ofertas disponíveis no mercado {0} +bisqEasy.offerbook.marketListCell.numOffers.tooltip.one={0} oferta está disponível no mercado {1} +bisqEasy.offerbook.marketListCell.numOffers.tooltip.many={0} ofertas estão disponíveis no mercado {1} +bisqEasy.offerbook.marketListCell.favourites.tooltip.addToFavourites=Adicionar aos favoritos +bisqEasy.offerbook.marketListCell.favourites.tooltip.removeFromFavourites=Remover dos favoritos +bisqEasy.offerbook.marketListCell.favourites.maxReached.popup=Há espaço apenas para 5 favoritos. Remova um favorito e tente novamente. + +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.tooltip=Ordenar e filtrar mercados +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.sortTitle=Ordenar por: +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.mostOffers=Mais ofertas +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.nameAZ=Nome A-Z +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.nameZA=Nome Z-A +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.filterTitle=Mostrar mercados: +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.withOffers=Com ofertas +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.favourites=Apenas favoritos +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.all=Todos + +bisqEasy.offerbook.chatMessage.deleteOffer.confirmation=Tem certeza de que deseja excluir esta oferta? +bisqEasy.offerbook.chatMessage.deleteMessage.confirmation=Tem certeza de que deseja excluir esta mensagem? + +bisqEasy.offerbook.offerList=Lista de Ofertas +bisqEasy.offerbook.offerList.collapsedList.tooltip=Expandir Lista de Ofertas +bisqEasy.offerbook.offerList.expandedList.tooltip=Reduzir Lista de Ofertas +bisqEasy.offerbook.offerList.table.columns.peerProfile=Perfil do Par +bisqEasy.offerbook.offerList.table.columns.price=Preço +bisqEasy.offerbook.offerList.table.columns.fiatAmount={0} quantidade +bisqEasy.offerbook.offerList.table.columns.paymentMethod=Método de pagamento +bisqEasy.offerbook.offerList.table.columns.settlementMethod=Método de liquidação +bisqEasy.offerbook.offerList.table.filters.offerDirection.buyFrom=Comprar de +bisqEasy.offerbook.offerList.table.filters.offerDirection.sellTo=Vender para +bisqEasy.offerbook.offerList.table.filters.paymentMethods.title=Métodos de pagamento ({0}) +bisqEasy.offerbook.offerList.table.filters.paymentMethods.title.all=Todos +bisqEasy.offerbook.offerList.table.filters.paymentMethods.customPayments=Pagamentos personalizados +bisqEasy.offerbook.offerList.table.filters.paymentMethods.clearFilters=Limpar filtros +bisqEasy.offerbook.offerList.table.filters.showMyOffersOnly=Apenas minhas ofertas + +bisqEasy.offerbook.offerList.table.columns.price.tooltip.fixPrice=Preço fixo: {0}\nPorcentagem do preço de mercado atual: {1} +bisqEasy.offerbook.offerList.table.columns.price.tooltip.marketPrice=Preço de mercado: {0} +bisqEasy.offerbook.offerList.table.columns.price.tooltip.floatPrice=Preço percentual {0}\nCom o preço de mercado atual: {1} + + +###################################################### +# Open trades +###################################################### + +bisqEasy.openTrades.table.headline=Minhas negociações abertas +bisqEasy.openTrades.noTrades=Você não tem nenhuma negociação aberta +bisqEasy.openTrades.rejectTrade=Rejeitar negociação +bisqEasy.openTrades.cancelTrade=Cancelar negociação +bisqEasy.openTrades.tradeLogMessage.rejected={0} rejeitou a negociação +bisqEasy.openTrades.tradeLogMessage.cancelled={0} cancelou a negociação +bisqEasy.openTrades.rejectTrade.warning=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.openTrades.cancelTrade.warning.buyer=Como a troca de detalhes de conta já começou, cancelar a negociação sem o consentimento do vendedor {0} +bisqEasy.openTrades.cancelTrade.warning.seller=Como a troca de detalhes de conta já começou, cancelar a negociação sem o consentimento do comprador {0} + +bisqEasy.openTrades.cancelTrade.warning.part2=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.openTrades.closeTrade.warning.interrupted=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.openTrades.closeTrade.warning.completed=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.openTrades.closeTrade=Fechar negociação +bisqEasy.openTrades.confirmCloseTrade=Confirmar fechamento do comércio +bisqEasy.openTrades.exportTrade=Exportar dados da negociação +bisqEasy.openTrades.reportToMediator=Reportar ao mediador +bisqEasy.openTrades.rejected.self=Você rejeitou a negociação +bisqEasy.openTrades.rejected.peer=Seu par de negociação rejeitou a negociação +bisqEasy.openTrades.cancelled.self=Você cancelou a negociação +bisqEasy.openTrades.cancelled.peer=Seu par de negociação cancelou a negociação +bisqEasy.openTrades.inMediation.info=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.openTrades.failed=O comércio falhou com a mensagem de erro: {0} +bisqEasy.openTrades.failed.popup=O comércio falhou devido a um erro.\nMensagem de erro: {0}\n\nRastreamento de pilha: {1} +bisqEasy.openTrades.failedAtPeer=O comércio do par falhou com um erro causado por: {0} +bisqEasy.openTrades.failedAtPeer.popup=O comércio do par falhou devido a um erro.\nErro causado por: {0}\n\nRastreamento de pilha: {1} +bisqEasy.openTrades.table.tradePeer=Par +bisqEasy.openTrades.table.me=Eu +bisqEasy.openTrades.table.mediator=Mediador +bisqEasy.openTrades.table.tradeId=ID da Negociação +bisqEasy.openTrades.table.price=Preço +bisqEasy.openTrades.table.baseAmount=Quantia em BTC +bisqEasy.openTrades.table.quoteAmount=Quantia +bisqEasy.openTrades.table.paymentMethod=Pagamento +bisqEasy.openTrades.table.paymentMethod.tooltip=Método de pagamento Fiat: {0} +bisqEasy.openTrades.table.settlementMethod=Liquidação +bisqEasy.openTrades.table.settlementMethod.tooltip=Método de liquidação em Bitcoin: {0} +bisqEasy.openTrades.table.makerTakerRole=Meu papel +bisqEasy.openTrades.table.direction.buyer=Comprando de: +bisqEasy.openTrades.table.direction.seller=Vendendo para: +bisqEasy.openTrades.table.makerTakerRole.maker=Criador +bisqEasy.openTrades.table.makerTakerRole.taker=Aceitador +bisqEasy.openTrades.csv.quoteAmount=Quantidade em {0} +bisqEasy.openTrades.csv.txIdOrPreimage=ID da transação/Pré-imagem +bisqEasy.openTrades.csv.receiverAddressOrInvoice=Endereço do receptor/Fatura +bisqEasy.openTrades.csv.paymentMethod=Método de pagamento + +bisqEasy.openTrades.chat.peer.description=Par do chat +bisqEasy.openTrades.chat.detach=Desanexar +bisqEasy.openTrades.chat.detach.tooltip=Abrir chat em nova janela +bisqEasy.openTrades.chat.attach=Restaurar +bisqEasy.openTrades.chat.attach.tooltip=Restaurar chat para a janela principal +bisqEasy.openTrades.chat.window.title={0} - Chat com {1} / ID da Negociação: {2} +bisqEasy.openTrades.chat.peerLeft.headline={0} saiu do comércio +bisqEasy.openTrades.chat.peerLeft.subHeadline=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. + +###################################################### +# Private chat +###################################################### + +bisqEasy.privateChats.leave=Sair do chat +bisqEasy.privateChats.table.myUser=Meu perfil + + +###################################################### +# Top pane +###################################################### + +# Commented out in code +# suppress inspection "UnusedProperty" +bisqEasy.topPane.filter=Filtrar livro de ofertas +# Commented out in code +# suppress inspection "UnusedProperty" +bisqEasy.topPane.closeFilter=Fechar filtro +bisqEasy.topPane.filter.offersOnly=Mostrar apenas ofertas no livro de ofertas do Bisq Easy + + +################################################################################ +# +# BisqEasyOfferDetails +# +################################################################################ + +bisqEasy.offerDetails.headline=Detalhes da oferta +bisqEasy.offerDetails.buy=Oferta para comprar Bitcoin +bisqEasy.offerDetails.sell=Oferta para vender Bitcoin + +bisqEasy.offerDetails.direction=Tipo de oferta +bisqEasy.offerDetails.baseSideAmount=Quantia de Bitcoin +bisqEasy.offerDetails.quoteSideAmount=Quantia em {0} +bisqEasy.offerDetails.price=Preço da oferta em {0} +bisqEasy.offerDetails.priceValue={0} (prêmio: {1}) +bisqEasy.offerDetails.paymentMethods=Método(s) de pagamento suportados +bisqEasy.offerDetails.id=ID da oferta +bisqEasy.offerDetails.date=Data de criação +bisqEasy.offerDetails.makersTradeTerms=Termos de negociação do criador + + +################################################################################ +# +# OpenTradesWelcome +# +################################################################################ + +bisqEasy.openTrades.welcome.headline=Bem-vindo à sua primeira negociação no Bisq Easy! +bisqEasy.openTrades.welcome.info=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.openTrades.welcome.line1=Saiba sobre o modelo de segurança do Bisq Easy +bisqEasy.openTrades.welcome.line2=Veja como funciona o processo de negociação +bisqEasy.openTrades.welcome.line3=Familiarize-se com as regras de negociação + + +################################################################################ +# +# TradeState +# +################################################################################ + +bisqEasy.tradeState.requestMediation=Solicitar mediação +bisqEasy.tradeState.reportToMediator=Relatar ao mediador +bisqEasy.tradeState.acceptOrRejectSellersPrice.title=Atenção à Mudança de Preço! +bisqEasy.tradeState.acceptOrRejectSellersPrice.description.buyersPrice=Seu preço de oferta para comprar Bitcoin foi {0}. +bisqEasy.tradeState.acceptOrRejectSellersPrice.description.sellersPrice=Entretanto, o vendedor está lhe oferecendo um preço diferente: {0}. +bisqEasy.tradeState.acceptOrRejectSellersPrice.description.question=Você deseja aceitar este novo preço ou deseja rejeitar/cancelar* a negociação? +bisqEasy.tradeState.acceptOrRejectSellersPrice.description.disclaimer=(*Observe que neste caso específico, cancelar a negociação NÃO será considerado uma violação das regras de negociação.) +bisqEasy.tradeState.acceptOrRejectSellersPrice.button.accept=Aceitar preço + +# Trade State: Header +bisqEasy.tradeState.header.peer=Parceiro de negociação +bisqEasy.tradeState.header.direction=Eu quero +bisqEasy.tradeState.header.send=Quantia a enviar +bisqEasy.tradeState.header.pay=Quantia a pagar +bisqEasy.tradeState.header.receive=Quantia a receber +bisqEasy.tradeState.header.tradeId=ID de Negociação + +# Trade State: Phase (left side) +bisqEasy.tradeState.phase1=Detalhes da conta +bisqEasy.tradeState.phase2=Pagamento em fiat +bisqEasy.tradeState.phase3=Transferência de Bitcoin +bisqEasy.tradeState.phase4=Negociação concluída + +# Trade State: Info (right side) + +bisqEasy.tradeState.info.phase3b.balance.help.explorerLookup=Procurando transação no explorador de blocos ''{0}'' +bisqEasy.tradeState.info.phase3b.balance.help.notConfirmed=Transação vista no mempool mas ainda não confirmada +bisqEasy.tradeState.info.phase3b.balance.help.confirmed=Transação confirmada +bisqEasy.tradeState.info.phase3b.txId.failed=A busca pela transação em ''{0}'' falhou com {1}: ''{2}'' +bisqEasy.tradeState.info.phase3b.button.skip=Parar de esperar pelo bloco de confirmação + +bisqEasy.tradeState.info.phase3b.balance.invalid.noOutputsForAddress=Nenhuma saída correspondente encontrada na transação +bisqEasy.tradeState.info.phase3b.balance.invalid.multipleOutputsForAddress=Múltiplas saídas correspondentes encontradas na transação +bisqEasy.tradeState.info.phase3b.balance.invalid.amountNotMatching=O valor da saída da transação não corresponde ao valor da negociação + +bisqEasy.tradeState.info.phase3b.button.next=Próximo +bisqEasy.tradeState.info.phase3b.button.next.amountNotMatching=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.phase3b.button.next.noOutputForAddress=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.tradeState.info.phase3b.button.next.amountNotMatching.resolved=Eu resolvi + +bisqEasy.tradeState.info.phase3b.txId=ID da transação +bisqEasy.tradeState.info.phase3b.txId.tooltip=Abrir transação no explorador de blocos +bisqEasy.tradeState.info.phase3b.lightning.preimage=Pré-imagem + +bisqEasy.tradeState.info.phase4.txId.tooltip=Abrir transação no explorador de blocos +bisqEasy.tradeState.info.phase4.exportTrade=Exportar dados da negociação +bisqEasy.tradeState.info.phase4.leaveChannel=Fechar negociação +#################################################################### +# Dynamically created from BitcoinPaymentRail enum name +#################################################################### +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.bitcoinPaymentData.MAIN_CHAIN=Endereço Bitcoin +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.bitcoinPaymentData.LN=Fatura Lightning +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.paymentProof.MAIN_CHAIN=ID da transação +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.paymentProof.LN=Pré-imagem + + +# Trade State Info: Buyer +#################################################################### +# Dynamically created from BitcoinPaymentRail enum name +#################################################################### +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.headline.MAIN_CHAIN=Insira seu endereço Bitcoin +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.description.MAIN_CHAIN=Endereço Bitcoin +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.prompt.MAIN_CHAIN=Insira seu endereço Bitcoin +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.tradeLogMessage.MAIN_CHAIN={0} enviou o endereço Bitcoin ''{1}'' +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.headline.LN=Preencha sua fatura Lightning +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.description.LN=Fatura Lightning +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.prompt.LN=Preencha sua fatura Lightning +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.tradeLogMessage.LN={0} enviou a fatura Lightning ''{1}'' + +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.walletHelp=Se você ainda não configurou uma carteira, pode encontrar ajuda no guia da carteira +bisqEasy.tradeState.info.buyer.phase1a.walletHelpButton=Abrir guia da carteira +bisqEasy.tradeState.info.buyer.phase1a.send=Enviar ao vendedor +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.tooltip=Escaneie o código QR usando sua webcam +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.description=Estado da conexão da webcam +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.connecting=Conectando à webcam... +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.imageRecognized=Webcam conectada +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.failed=Falha ao conectar à webcam +bisqEasy.tradeState.info.buyer.phase1b.headline=Aguarde os dados da conta de pagamento do vendedor +bisqEasy.tradeState.info.buyer.phase1b.info=Você pode usar o chat abaixo para entrar em contato com o vendedor. + +bisqEasy.tradeState.info.buyer.phase2a.headline=Enviar {0} para a conta de pagamento do vendedor +bisqEasy.tradeState.info.buyer.phase2a.quoteAmount=Quantia a transferir +bisqEasy.tradeState.info.buyer.phase2a.sellersAccount=Conta de pagamento do vendedor +bisqEasy.tradeState.info.buyer.phase2a.reasonForPaymentInfo=Por favor, deixe o campo 'Motivo do pagamento' em branco, caso faça uma transferência bancária +bisqEasy.tradeState.info.buyer.phase2a.confirmFiatSent=Confirmar pagamento de {0} +bisqEasy.tradeState.info.buyer.phase2a.tradeLogMessage={0} iniciou o pagamento {1} + +bisqEasy.tradeState.info.buyer.phase2b.headline=Aguardar o vendedor confirmar o recebimento do pagamento +bisqEasy.tradeState.info.buyer.phase2b.info=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.buyer.phase3a.headline=Aguardar o pagamento em Bitcoin do vendedor +bisqEasy.tradeState.info.buyer.phase3a.info=O vendedor precisa iniciar o pagamento em Bitcoin para o seu {0} fornecido. +bisqEasy.tradeState.info.buyer.phase3b.headline.ln=O vendedor enviou o Bitcoin via rede Lightning +bisqEasy.tradeState.info.buyer.phase3b.info.ln=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.tradeState.info.buyer.phase3b.confirmButton.ln=Confirmar recebimento +bisqEasy.tradeState.info.buyer.phase3b.tradeLogMessage.ln={0} confirmou ter recebido o pagamento em Bitcoin +bisqEasy.tradeState.info.buyer.phase3b.headline.MAIN_CHAIN=O vendedor iniciou o pagamento em Bitcoin +bisqEasy.tradeState.info.buyer.phase3b.info.MAIN_CHAIN=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.tradeState.info.buyer.phase3b.balance=Bitcoin recebido +bisqEasy.tradeState.info.buyer.phase3b.balance.prompt=Aguardando dados da blockchain... + +# Trade State Info: Seller +bisqEasy.tradeState.info.seller.phase1.headline=Envie seus dados de conta de pagamento para o comprador +bisqEasy.tradeState.info.seller.phase1.accountData=Meus dados de conta de pagamento +bisqEasy.tradeState.info.seller.phase1.accountData.prompt=Insira seus dados de conta de pagamento. Ex: IBAN, BIC e nome do titular da conta +bisqEasy.tradeState.info.seller.phase1.buttonText=Enviar dados da conta +bisqEasy.tradeState.info.seller.phase1.note=Nota: Você pode usar o chat abaixo para entrar em contato com o comprador antes de revelar seus dados da conta. +bisqEasy.tradeState.info.seller.phase1.tradeLogMessage={0} enviou os dados da conta de pagamento:\n{1} + +bisqEasy.tradeState.info.seller.phase2a.waitForPayment.headline=Aguarde o pagamento de {0} do comprador +bisqEasy.tradeState.info.seller.phase2a.waitForPayment.info=Assim que o comprador iniciar o pagamento de {0}, você será notificado. + +bisqEasy.tradeState.info.seller.phase2b.headline=Verifique se você recebeu {0} +bisqEasy.tradeState.info.seller.phase2b.info=Visite sua conta bancária ou aplicativo de provedor de pagamento para confirmar o recebimento do pagamento do comprador. + +bisqEasy.tradeState.info.seller.phase2b.fiatReceivedButton=Confirmar recebimento de {0} +bisqEasy.tradeState.info.seller.phase2b.tradeLogMessage={0} confirmou o recebimento de {1} + +bisqEasy.tradeState.info.seller.phase3a.fiatPaymentReceivedCheckBox=Confirmei ter recebido {0} +bisqEasy.tradeState.info.seller.phase3a.sendBtc=Enviar {0} para o comprador +bisqEasy.tradeState.info.seller.phase3a.baseAmount=Quantia a enviar +bisqEasy.tradeState.info.seller.phase3a.qrCodeDisplay.openWindow=Abrir exibição maior +bisqEasy.tradeState.info.seller.phase3a.qrCodeDisplay.window.title=Escanear código QR para a negociação ''{0}'' +bisqEasy.tradeState.info.seller.phase3b.headline.MAIN_CHAIN=Aguardando confirmação na blockchain +bisqEasy.tradeState.info.seller.phase3b.info.MAIN_CHAIN=O pagamento em Bitcoin requer pelo menos 1 confirmação na blockchain para ser considerado concluído. +bisqEasy.tradeState.info.seller.phase3b.balance=Pagamento em Bitcoin +bisqEasy.tradeState.info.seller.phase3b.balance.prompt=Aguardando dados da blockchain... + +#################################################################### +# Dynamically created from BitcoinPaymentRail enum name +#################################################################### +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.bitcoinPayment.description.MAIN_CHAIN=Endereço Bitcoin +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.description.MAIN_CHAIN=ID da transação +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.prompt.MAIN_CHAIN=Insira o ID da transação Bitcoin +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.paymentProof.MAIN_CHAIN=ID da transação +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.bitcoinPayment.description.LN=Fatura Lightning +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.description.LN=Preimagem (opcional) +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.prompt.LN=Preencha a preimagem, se disponível +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.paymentProof.LN=Preimagem + +bisqEasy.tradeState.info.seller.phase3a.btcSentButton=Confirmei ter enviado {0} +bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage={0} iniciou o pagamento em Bitcoin. {1}: ''{2}'' +bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.noProofProvided={0} iniciou o pagamento em Bitcoin. + +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.MAIN_CHAIN=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. +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.LN=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.phase3a.paymentProof.warning.proceed=Ignorar aviso + +bisqEasy.tradeState.info.seller.phase3b.headline.ln=Aguarde a confirmação do recebimento do Bitcoin pelo comprador +bisqEasy.tradeState.info.seller.phase3b.info.ln=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.tradeState.info.seller.phase3b.confirmButton.ln=Concluir trade + + +###################################################### +# Trade Completed Table +##################################################### + +bisqEasy.tradeCompleted.title=Negociação concluída com sucesso +bisqEasy.tradeCompleted.tableTitle=Resumo +bisqEasy.tradeCompleted.header.tradeWith=Negociar com +bisqEasy.tradeCompleted.header.myDirection.seller=Eu vendi +bisqEasy.tradeCompleted.header.myDirection.buyer=Eu comprei +bisqEasy.tradeCompleted.header.myDirection.btc=btc +bisqEasy.tradeCompleted.header.myOutcome.seller=Eu recebi +bisqEasy.tradeCompleted.header.myOutcome.buyer=Eu paguei +bisqEasy.tradeCompleted.header.paymentMethod=Método de pagamento +bisqEasy.tradeCompleted.header.tradeId=ID de Negociação +bisqEasy.tradeCompleted.body.date=Data +bisqEasy.tradeCompleted.body.tradePrice=Preço de negociação +bisqEasy.tradeCompleted.body.tradeFee=Taxa de negociação +bisqEasy.tradeCompleted.body.tradeFee.value=Sem taxas de negociação no Bisq Easy +bisqEasy.tradeCompleted.body.copy.txId.tooltip=Copiar ID de Transação para a área de transferência +bisqEasy.tradeCompleted.body.copy.explorerLink.tooltip=Copiar link da transação do explorador de blocos +bisqEasy.tradeCompleted.body.txId.tooltip=Abrir explorador de blocos para a transação + + +################################################################################ +# +# Mediation +# +################################################################################ + +bisqEasy.mediation.request.confirm.headline=Solicitar mediação +bisqEasy.mediation.request.confirm.msg=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.mediation.request.confirm.openMediation=Abrir mediação +bisqEasy.mediation.request.feedback.headline=Mediação solicitada +bisqEasy.mediation.request.feedback.msg=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.mediation.request.feedback.noMediatorAvailable=Não há mediador disponível. Por favor, use o chat de suporte em vez disso. +bisqEasy.mediation.requester.tradeLogMessage={0} solicitou mediação diff --git a/shared/domain/src/commonMain/resources/mobile/bisq_easy_ru.properties b/shared/domain/src/commonMain/resources/mobile/bisq_easy_ru.properties new file mode 100644 index 00000000..7ed90c1e --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/bisq_easy_ru.properties @@ -0,0 +1,804 @@ +#################################################################### +# +# Chat module +# +#################################################################### + +bisqEasy.offerBookChannel.description=Рыночный канал для торговли {0} +bisqEasy.mediator=Медиатор + + +#################################################################### +# +# Desktop module +# +#################################################################### + + +###################################################### +# Bisq Easy +###################################################### + +bisqEasy.dashboard=Начало работы +bisqEasy.offerbook=Книга предложений +bisqEasy.openTrades=Мои открытые сделки + + +###################################################### +# Bisq Easy dashboard +###################################################### + +bisqEasy.onboarding.top.headline=Bisq Easy за 3 минуты +bisqEasy.onboarding.top.content1=Быстрое знакомство с Bisq Easy +bisqEasy.onboarding.top.content2=Узнайте, как происходит процесс торговли +bisqEasy.onboarding.top.content3=Узнайте о простых правилах торговли +bisqEasy.onboarding.openTradeGuide=Читайте руководство по торговле +bisqEasy.onboarding.watchVideo=Смотреть видео +bisqEasy.onboarding.watchVideo.tooltip=Смотрите встроенное вводное видео + +bisqEasy.onboarding.left.headline=Лучшее для начинающих +bisqEasy.onboarding.left.info=Мастер торговли проведет вас через вашу первую сделку с биткойнами. Продавцы биткойнов помогут вам, если у вас возникнут вопросы. +bisqEasy.onboarding.left.button=Запустите мастер торговли + +bisqEasy.onboarding.right.headline=Для опытных трейдеров +bisqEasy.onboarding.right.info=Просмотрите книгу предложений, чтобы найти лучшие предложения, или создайте свое собственное предложение. +bisqEasy.onboarding.right.button=Открытая книга предложений + + +################################################################################ +# +# Create offer +# +################################################################################ + +bisqEasy.tradeWizard.progress.directionAndMarket=Тип предложения +bisqEasy.tradeWizard.progress.price=Цена +bisqEasy.tradeWizard.progress.amount=Сумма +bisqEasy.tradeWizard.progress.paymentMethods=Способы оплаты +bisqEasy.tradeWizard.progress.takeOffer=Выбрать предложение +bisqEasy.tradeWizard.progress.review=Обзор + + +################################################################################ +# Create offer / Direction +################################################################################ + +bisqEasy.tradeWizard.directionAndMarket.headline=Вы хотите купить или продать Биткойн с +bisqEasy.tradeWizard.directionAndMarket.buy=Купить биткойн +bisqEasy.tradeWizard.directionAndMarket.sell=Продать биткойн +bisqEasy.tradeWizard.directionAndMarket.feedback.headline=Как укрепить репутацию? +bisqEasy.tradeWizard.directionAndMarket.feedback.subTitle1=Вы еще не установили репутацию. Для продавцов биткойнов создание репутации имеет решающее значение, поскольку покупатели обязаны сначала отправить фиатную валюту в процессе торговли, полагаясь на честность продавца.\n\nЭтот процесс создания репутации лучше всего подходит для опытных пользователей Bisq, и вы можете найти подробную информацию об этом в разделе 'Репутация'. +bisqEasy.tradeWizard.directionAndMarket.feedback.gainReputation=Узнайте, как создать репутацию +bisqEasy.tradeWizard.directionAndMarket.feedback.subTitle2=Хотя продавцы могут торговать без (или с недостаточной) репутацией на относительно небольшие суммы до {0}, вероятность найти торгового партнера значительно снижается. Это связано с тем, что покупатели, как правило, избегают взаимодействия с продавцами, у которых нет репутации, из-за рисков безопасности. +bisqEasy.tradeWizard.directionAndMarket.feedback.tradeWithoutReputation=Продолжить без репутации +bisqEasy.tradeWizard.directionAndMarket.feedback.backToBuy=Назад + + +################################################################################ +# Create offer / Market +################################################################################ + +bisqEasy.tradeWizard.market.headline.buyer=В какой валюте вы хотите заплатить? +bisqEasy.tradeWizard.market.headline.seller=В какой валюте вы хотите получать деньги? +bisqEasy.tradeWizard.market.subTitle=Выберите валюту торговли +bisqEasy.tradeWizard.market.columns.name=Фиатная валюта +bisqEasy.tradeWizard.market.columns.numOffers=Количество предложений +bisqEasy.tradeWizard.market.columns.numPeers=Сверстники в сети + + +################################################################################ +# Create offer / Price +################################################################################ + +bisqEasy.price.headline=Какова ваша торговая цена? +bisqEasy.tradeWizard.price.subtitle=Это может быть определено как процентная цена, которая плавает вместе с рыночной или фиксированной ценой. +bisqEasy.price.percentage.title=Процентная цена +bisqEasy.price.percentage.inputBoxText=Процент рыночной цены от -10% до 50% +bisqEasy.price.tradePrice.title=Фиксированная цена +bisqEasy.price.tradePrice.inputBoxText=Торговая цена в {0} +bisqEasy.price.feedback.sentence=Ваше предложение имеет {0} шансов быть принятым по этой цене. +bisqEasy.price.feedback.sentence.veryLow=очень низкий +bisqEasy.price.feedback.sentence.low=низкий +bisqEasy.price.feedback.sentence.some=несколько +bisqEasy.price.feedback.sentence.good=хорошо +bisqEasy.price.feedback.sentence.veryGood=очень хорошо +bisqEasy.price.feedback.learnWhySection.openButton=Почему? +bisqEasy.price.feedback.learnWhySection.closeButton=Вернуться к торговой цене +bisqEasy.price.feedback.learnWhySection.title=Почему я должен платить продавцу более высокую цену? +bisqEasy.price.feedback.learnWhySection.description.intro=Причина в том, что продавцу приходится покрывать дополнительные расходы и компенсировать услуги продавца, в частности: +bisqEasy.price.feedback.learnWhySection.description.exposition=- Создание репутации, которое может быть дорогостоящим - Продавец должен оплачивать услуги шахтера - Продавец является полезным проводником в процессе торговли, поэтому тратит больше времени. +bisqEasy.price.warn.invalidPrice.outOfRange=Введенная вами цена выходит за пределы допустимого диапазона от -10% до 50%. +bisqEasy.price.warn.invalidPrice.numberFormatException=Введенная вами цена не является действительным числом. +bisqEasy.price.warn.invalidPrice.exception=Введенная вами цена недействительна.\n\nСообщение об ошибке: {0} + + +################################################################################ +# Create offer / Amount +################################################################################ + +bisqEasy.tradeWizard.amount.headline.buyer=Сколько вы хотите потратить? +bisqEasy.tradeWizard.amount.headline.seller=Сколько вы хотите получить? +bisqEasy.tradeWizard.amount.description.minAmount=Установка минимального значения для диапазона сумм +bisqEasy.tradeWizard.amount.description.maxAmount=Установка максимального значения для диапазона сумм +bisqEasy.tradeWizard.amount.description.fixAmount=Установите сумму, которую вы хотите обменять +bisqEasy.tradeWizard.amount.addMinAmountOption=Добавьте минимальный/максимальный диапазон для суммы +bisqEasy.tradeWizard.amount.removeMinAmountOption=Используйте фиксированную сумму стоимости +bisqEasy.component.amount.minRangeValue=Мин {0} +bisqEasy.component.amount.maxRangeValue=Максимально {0} +bisqEasy.component.amount.baseSide.tooltip.btcAmount.marketPrice=Это количество биткойнов с текущей рыночной ценой. +bisqEasy.component.amount.baseSide.tooltip.btcAmount.selectedPrice=Это сумма биткойнов с выбранной вами ценой. +bisqEasy.component.amount.baseSide.tooltip.buyerInfo=Продавцы могут запросить более высокую цену, поскольку у них есть расходы на приобретение репутации.\nОбычно это 5-15 % надбавки к цене. +bisqEasy.component.amount.baseSide.tooltip.bestOfferPrice=Это сумма биткойнов с лучшей ценой\nиз подходящих предложений: {0} +bisqEasy.component.amount.baseSide.tooltip.buyer.btcAmount=Это сумма биткойнов для получения +bisqEasy.component.amount.baseSide.tooltip.seller.btcAmount=Это сумма биткойнов, которую нужно потратить +bisqEasy.component.amount.baseSide.tooltip.taker.offerPrice=с ценой предложения: {0} + + +bisqEasy.tradeWizard.amount.limitInfo.overlay.headline=Лимиты суммы торговли на основе репутации +bisqEasy.tradeWizard.amount.limitInfo.overlay.close=Закрыть оверлей + +bisqEasy.tradeWizard.amount.seller.wizard.numMatchingOffers.info=Существует {0} соответствующих выбранной сумме сделки. +bisqEasy.tradeWizard.amount.seller.wizard.limitInfo=С вашей оценкой репутации {0} вы можете торговать до +bisqEasy.tradeWizard.amount.seller.wizard.limitInfo.overlay.info=С оценкой репутации {0} вы можете торговать до {1}.\n\nВы можете найти информацию о том, как увеличить свою репутацию в разделе ''Репутация/Создание репутации''. + +bisqEasy.tradeWizard.amount.seller.limitInfo.scoreTooLow=С вашей оценкой репутации {0} сумма вашей сделки не должна превышать +bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.scoreTooLow=Ваша оценка репутации {0} не обеспечивает достаточной безопасности для покупателей.\n\nПокупатели, которые рассматривают возможность принять ваше предложение, получат предупреждение о потенциальных рисках при его принятии.\n\nВы можете найти информацию о том, как повысить свою репутацию в разделе ''Репутация/Создание репутации''. + +bisqEasy.takeOffer.amount.seller.limitInfo.lowToleratedAmount=Поскольку сумма сделки ниже {0}, требования к репутации ослаблены. +bisqEasy.takeOffer.amount.seller.limitInfo.scoreTooLow=Поскольку ваша оценка репутации составляет всего {0}, ваша сумма сделки ограничена +bisqEasy.takeOffer.amount.seller.limitInfo.overlay.info.scoreTooLow=Для сумм до {0} требования к репутации ослаблены.\n\nВаша оценка репутации {1} не обеспечивает достаточной безопасности для покупателя. Однако, учитывая низкую сумму сделки, покупатель согласился принять риск.\n\nВы можете найти информацию о том, как повысить свою репутацию в разделе ''Репутация/Создание репутации''. + +bisqEasy.tradeWizard.amount.seller.limitInfo.sufficientScore=Ваша оценка репутации {0} обеспечивает безопасность для предложений до +bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.sufficientScore=С вашей оценкой репутации {0} вы обеспечиваете безопасность сделок до {1}. + +bisqEasy.tradeWizard.amount.seller.limitInfo.inSufficientScore=Безопасность, предоставляемая вашей оценкой репутации {0}, недостаточна для предложений свыше +bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.info.inSufficientScore=С оценкой репутации {0} безопасность, которую вы предоставляете, недостаточна для сделок свыше {1}.\n\nВы все еще можете создавать такие предложения, но покупатели будут предупреждены о потенциальных рисках при попытке принять ваше предложение.\n\nВы можете найти информацию о том, как увеличить свою репутацию в разделе ''Репутация/Создание репутации''. + +bisqEasy.tradeWizard.amount.seller.limitInfoAmount={0}. +bisqEasy.tradeWizard.amount.seller.limitInfo.link=Узнать больше + + +bisqEasy.tradeWizard.amount.seller.limitInfo.overlay.linkToWikiText=Для получения дополнительной информации о системе репутации посетите вики Bisq по адресу: + +bisqEasy.tradeWizard.amount.seller.limitInfo.noReputationNeededForMaxOrFixedAmount=Для сумм до {0} репутация не требуется. +bisqEasy.tradeWizard.amount.seller.limitInfo.noReputationNeededForMaxOrFixedAmount.overlay.info.scoreTooLow=Для сумм до {0} требования к репутации ослаблены.\n\nВаша оценка репутации {1} не обеспечивает достаточной безопасности для покупателей. Однако, учитывая низкую сумму, покупатели могут все же рассмотреть возможность принятия предложения, если будут осведомлены о связанных рисках.\n\nВы можете найти информацию о том, как повысить свою репутацию в разделе ''Репутация/Создание репутации''. + + +bisqEasy.tradeWizard.amount.buyer.limitInfo.learnMore=Узнать больше + +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.buyer.numSellers.0=нет продавца +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.buyer.numSellers.1=это один продавец +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.buyer.numSellers.*=это {0} продавцов + +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.numOffers.0=нет предложений +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.numOffers.1=одно предложение +# suppress inspection "UnusedProperty" +bisqEasy.tradeWizard.amount.numOffers.*=это {0} предложения + +bisqEasy.tradeWizard.amount.buyer.limitInfo=В сети {0} с достаточной репутацией, чтобы принять предложение на сумму {1}. +bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.info=Продавец, который хочет принять ваше предложение на {0}, должен иметь оценку репутации не ниже {1}.\nСнижая максимальную сумму сделки, вы делаете ваше предложение доступным для большего числа продавцов. + +bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.info.leadLine=Существует {0} соответствующих выбранной сумме сделки. +bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.info=Для предложений до {0} требования к репутации смягчены. +bisqEasy.tradeWizard.amount.buyer.limitInfo.wizard.overlay.info=Учитывая низкую минимальную сумму {0}, требования к репутации ослаблены.\nДля сумм до {1} продавцам не требуется репутация.\n\nНа экране ''Выбор предложения'' рекомендуется выбирать продавцов с более высокой репутацией. + +bisqEasy.tradeWizard.amount.buyer.limitInfo.noReputationNeededForMaxOrFixedAmount=Продавцы без репутации могут принимать предложения до {0}. +bisqEasy.tradeWizard.amount.buyer.limitInfo.noReputationNeededForMaxOrFixedAmount.riskInfo=Убедитесь, что вы полностью понимаете связанные риски. +bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.noReputationNeededForMaxOrFixedAmount.info=Учитывая низкую сумму {0}, требования к репутации смягчены.\nДля сумм до {1} продавцы с недостаточной или отсутствующей репутацией могут принять предложение.\n\nУбедитесь, что вы полностью понимаете риски при торговле с продавцом без репутации или с недостаточной репутацией. Если вы не хотите подвергать себя этому риску, выберите сумму выше {2}. +bisqEasy.tradeWizard.amount.buyer.limitInfo.overlay.linkToWikiText=Узнать больше о системе репутации можно здесь: + + +bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo.leadLine=Поскольку ваша минимальная сумма ниже {0}, продавцы без репутации могут принять ваше предложение. +bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo=Для максимальной суммы {0} есть {1} с достаточной репутацией, чтобы принять ваше предложение. +bisqEasy.tradeWizard.amount.buyer.noReputationNeededForMinAmount.limitInfo.overlay.info=Учитывая низкую сумму сделки {0}, требования к репутации смягчены.\nДля сумм до {1} продавцы с недостаточной или отсутствующей репутацией могут принять ваше предложение.\n\nПродавцы, которые хотят принять ваше предложение с максимальной суммой {2}, должны иметь оценку репутации не ниже {3}.\nСнижая максимальную сумму сделки, вы делаете ваше предложение доступным для большего числа продавцов. + + +################################################################################ +# Create offer / Payment methods +################################################################################ + +bisqEasy.tradeWizard.paymentMethods.headline=Какие способы оплаты и расчетов вы хотите использовать? +bisqEasy.tradeWizard.paymentMethods.fiat.subTitle.buyer=Выберите способы оплаты для перевода {0} +bisqEasy.tradeWizard.paymentMethods.fiat.subTitle.seller=Выберите способы оплаты для получения {0} +bisqEasy.tradeWizard.paymentMethods.bitcoin.subTitle.buyer=Выберите методы расчетов для получения Bitcoin +bisqEasy.tradeWizard.paymentMethods.bitcoin.subTitle.seller=Выберите методы расчетов для отправки Bitcoin +bisqEasy.tradeWizard.paymentMethods.noneFound=Для выбранного рынка не предусмотрено способов оплаты по умолчанию.\nПожалуйста, добавьте в текстовое поле ниже пользовательский способ оплаты, который вы хотите использовать. +bisqEasy.tradeWizard.paymentMethods.customMethod.prompt=Пользовательская оплата +bisqEasy.tradeWizard.paymentMethods.warn.maxMethodsReached=Вы не можете добавить более 4 способов оплаты. +bisqEasy.tradeWizard.paymentMethods.warn.tooLong=Длина имени пользовательского метода оплаты не должна превышать 20 символов. +bisqEasy.tradeWizard.paymentMethods.warn.customPaymentMethodAlreadyExists=Пользовательский метод оплаты с именем {0} уже существует. +bisqEasy.tradeWizard.paymentMethods.warn.customNameMatchesPredefinedMethod=Название вашего пользовательского метода оплаты не должно совпадать с одним из предопределенных. +bisqEasy.tradeWizard.paymentMethods.warn.noFiatPaymentMethodSelected=Пожалуйста, выберите хотя бы один фиатный способ оплаты. +bisqEasy.tradeWizard.paymentMethods.warn.noBtcSettlementMethodSelected=Пожалуйста, выберите хотя бы один способ расчетов в биткойнах. + + +################################################################################ +# TradeWizard / Select offer +################################################################################ + +bisqEasy.tradeWizard.selectOffer.headline.buyer=Купить биткойн за {0} +bisqEasy.tradeWizard.selectOffer.headline.seller=Продать биткойн за {0} +bisqEasy.tradeWizard.selectOffer.subHeadline=Рекомендуется торговать с пользователями с высокой репутацией. +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.headline=Не найдено ни одного подходящего предложения +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.subHeadline=По вашему критерию выбора нет предложений. +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.goBack=Выбор изменений +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.goBack.info=Вернитесь к предыдущим экранам и измените выбор. +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.browseOfferbook=Просмотреть книгу предложений +bisqEasy.tradeWizard.selectOffer.noMatchingOffers.browseOfferbook.info=Закройте мастер торговли и просмотрите книгу предложений. + + +################################################################################ +# TradeWizard / Review +################################################################################ + +bisqEasy.tradeWizard.review.headline.maker=Обзорное предложение +bisqEasy.tradeWizard.review.headline.taker=Обзорная торговля +bisqEasy.tradeWizard.review.detailsHeadline.taker=Детали торговли +bisqEasy.tradeWizard.review.detailsHeadline.maker=Детали предложения +bisqEasy.tradeWizard.review.feeDescription=Тарифы +bisqEasy.tradeWizard.review.noTradeFees=Никаких торговых сборов в Bisq Easy +bisqEasy.tradeWizard.review.sellerPaysMinerFeeLong=Продавец оплачивает стоимость добычи +bisqEasy.tradeWizard.review.sellerPaysMinerFee=Продавец оплачивает горный сбор +bisqEasy.tradeWizard.review.noTradeFeesLong=В Bisq Easy нет торговых сборов. + +bisqEasy.tradeWizard.review.toPay=Сумма к оплате +bisqEasy.tradeWizard.review.toSend=Сумма для отправки +bisqEasy.tradeWizard.review.toReceive=Сумма к получению +bisqEasy.tradeWizard.review.direction={0} Биткойн +bisqEasy.tradeWizard.review.paymentMethodDescription.btc=Метод расчетов в биткойнах +bisqEasy.tradeWizard.review.paymentMethodDescriptions.btc.maker=Методы расчетов в биткойнах +bisqEasy.tradeWizard.review.paymentMethodDescriptions.btc.taker=Выберите метод расчетов в биткойнах +bisqEasy.tradeWizard.review.paymentMethodDescription.fiat=Фиатный способ оплаты +bisqEasy.tradeWizard.review.paymentMethodDescriptions.fiat.maker=Фиатные способы оплаты +bisqEasy.tradeWizard.review.paymentMethodDescriptions.fiat.taker=Выберите способ оплаты фиатом +bisqEasy.tradeWizard.review.price={0} <{1} style=trade-wizard-review-code> + +bisqEasy.tradeWizard.review.priceDescription.taker=Торговая цена +bisqEasy.tradeWizard.review.priceDescription.maker=Цена предложения +bisqEasy.tradeWizard.review.priceDetails.fix=Фиксированная цена. {0} {1} рыночная цена {2} +bisqEasy.tradeWizard.review.priceDetails.fix.atMarket=Фиксированная цена. Такая же, как рыночная цена {0} +bisqEasy.tradeWizard.review.priceDetails.float=Плавающая цена. {0} {1} рыночная цена {2} +bisqEasy.tradeWizard.review.priceDetails=Плавает с рыночной ценой +bisqEasy.tradeWizard.review.nextButton.createOffer=Создать предложение +bisqEasy.tradeWizard.review.nextButton.takeOffer=Подтвердить сделку + +bisqEasy.tradeWizard.review.createOfferSuccess.headline=Предложение успешно опубликовано +bisqEasy.tradeWizard.review.createOfferSuccess.subTitle=Теперь ваше предложение занесено в книгу предложений. Когда пользователь Bisq примет ваше предложение, вы найдете новую сделку в разделе "Открытые сделки".\n\nНе забывайте регулярно проверять приложение Bisq на наличие новых сообщений от принявшего предложение. +bisqEasy.tradeWizard.review.createOfferSuccessButton=Показать мое предложение в "Книге предложений + +bisqEasy.tradeWizard.review.takeOfferSuccess.headline=Вы успешно воспользовались предложением +bisqEasy.tradeWizard.review.takeOfferSuccess.subTitle=Пожалуйста, свяжитесь с торговым коллегой на странице ''Открыть торги''.\nТам вы найдете информацию о дальнейших действиях.\n\nНе забывайте регулярно проверять приложение Bisq на наличие новых сообщений от вашего торгового партнера. +bisqEasy.tradeWizard.review.takeOfferSuccessButton=Показать торговлю в разделе 'Открытые сделки' + + +################################################################################ +# Create offer / Review +################################################################################# + +bisqEasy.tradeWizard.review.table.baseAmount.buyer=Вы получаете +bisqEasy.tradeWizard.review.table.baseAmount.seller=Вы тратите +bisqEasy.tradeWizard.review.table.price=Цена в {0} +bisqEasy.tradeWizard.review.table.reputation=Репутация +bisqEasy.tradeWizard.review.chatMessage.fixPrice={0} +bisqEasy.tradeWizard.review.chatMessage.floatPrice.above={0} выше рыночной цены +bisqEasy.tradeWizard.review.chatMessage.floatPrice.below={0} ниже рыночной цены +bisqEasy.tradeWizard.review.chatMessage.marketPrice=Рыночная цена +bisqEasy.tradeWizard.review.chatMessage.price=Цена: +bisqEasy.tradeWizard.review.chatMessage.peerMessage.sell=Продать биткойн за {0}\nСумма: {1}\nСпособ(ы) расчета в биткоинах: {2}\nФиатный метод(ы) оплаты: {3}\n{4} +bisqEasy.tradeWizard.review.chatMessage.peerMessage.buy=Купить биткоин с {0}\nСумма: {1}\nСпособ(ы) расчета в биткоинах: {2}\nФиатный метод(ы) оплаты: {3}\n{4} +bisqEasy.tradeWizard.review.chatMessage.offerDetails=Сумма: {0}\nСпособ(ы) расчета в биткоинах: {1}\nФиатный метод(ы) оплаты: {2}\n{3} +bisqEasy.tradeWizard.review.chatMessage.peerMessageTitle.sell=Продать биткойн +bisqEasy.tradeWizard.review.chatMessage.peerMessageTitle.buy=Купить биткойн в +bisqEasy.tradeWizard.review.chatMessage.myMessageTitle=Мое предложение на {0} биткоин + + +################################################################################ +# +# Take offer +# +################################################################################ + +bisqEasy.takeOffer.progress.amount=Сумма сделки +bisqEasy.takeOffer.progress.method=Способ оплаты +bisqEasy.takeOffer.progress.review=Обзорная торговля + +bisqEasy.takeOffer.amount.headline.buyer=Сколько вы хотите потратить? +bisqEasy.takeOffer.amount.headline.seller=Сколько вы хотите обменять? +bisqEasy.takeOffer.amount.description=Предложение позволяет вам выбрать сумму сделки\nмежду {0} и {1} +bisqEasy.takeOffer.amount.description.limitedByTakersReputation=Ваша оценка репутации {0} позволяет выбрать сумму сделки\nмежду {1} и {2} + +bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMax=Оценка репутации продавца составляет всего {0}. Не рекомендуется торговать на сумму более +bisqEasy.takeOffer.amount.buyer.limitInfoAmount={0}. +bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMax.overlay.info=Оценка репутации продавца {0} не обеспечивает достаточной безопасности. Однако для более низких сумм сделок (до {1}) требования к репутации более лояльны.\n\nЕсли вы решите продолжить, несмотря на отсутствие репутации продавца, убедитесь, что вы полностью осознаете связанные риски. Модель безопасности Bisq Easy основывается на репутации продавца, так как покупатель обязан сначала отправить фиатные средства. +bisqEasy.takeOffer.amount.buyer.limitInfo.minAmountCovered=Репутация продавца {0} обеспечивает безопасность до +bisqEasy.takeOffer.amount.buyer.limitInfo.minAmountCovered.overlay.info=Оценка репутации продавца {0} обеспечивает безопасность до {1}.\n\nЕсли вы выберете более высокую сумму, убедитесь, что вы полностью осознаете связанные риски. Модель безопасности Bisq Easy основывается на репутации продавца, так как покупатель должен сначала отправить фиатную валюту. +bisqEasy.takeOffer.amount.buyer.limitInfo.minAmountNotCovered=Оценка репутации продавца {0} не обеспечивает достаточной безопасности для этого предложения. +bisqEasy.takeOffer.amount.buyer.limitInfo.tooHighMin.overlay.info=Оценка репутации продавца {0} не обеспечивает достаточной безопасности для этого предложения.\n\nРекомендуется торговать на меньшие суммы с повторными сделками или с продавцами, имеющими более высокую репутацию. Если вы решите продолжить, несмотря на отсутствие репутации продавца, убедитесь, что вы полностью осознаете связанные риски. Модель безопасности Bisq Easy основывается на репутации продавца, так как покупатель должен сначала отправить фиатную валюту. +bisqEasy.takeOffer.amount.buyer.limitInfo.learnMore=Узнать больше +bisqEasy.takeOffer.amount.buyer.limitInfo.overlay.linkToWikiText=Чтобы узнать больше о системе репутации, посетите: + +bisqEasy.takeOffer.paymentMethods.headline.fiat=Какой способ оплаты вы хотите использовать? +bisqEasy.takeOffer.paymentMethods.headline.fiatAndBitcoin=Какой способ оплаты и расчетов вы хотите использовать? +bisqEasy.takeOffer.paymentMethods.headline.bitcoin=Какой метод расчета вы хотите использовать? +bisqEasy.takeOffer.paymentMethods.subtitle.fiat.buyer=Выберите способ оплаты для перевода {0} +bisqEasy.takeOffer.paymentMethods.subtitle.fiat.seller=Выберите способ оплаты для получения {0} +bisqEasy.takeOffer.paymentMethods.subtitle.bitcoin.buyer=Выберите метод расчетов для получения Bitcoin +bisqEasy.takeOffer.paymentMethods.subtitle.bitcoin.seller=Выберите способ расчета для отправки Bitcoin + +bisqEasy.takeOffer.review.headline=Обзорная торговля +bisqEasy.takeOffer.review.detailsHeadline=Детали торговли +bisqEasy.takeOffer.review.method.fiat=Фиатный способ оплаты +bisqEasy.takeOffer.review.method.bitcoin=Метод расчетов в биткойнах +bisqEasy.takeOffer.review.price.price=Торговая цена +bisqEasy.takeOffer.review.noTradeFees=Никаких торговых сборов в Bisq Easy +bisqEasy.takeOffer.review.sellerPaysMinerFeeLong=Продавец оплачивает стоимость добычи +bisqEasy.takeOffer.review.sellerPaysMinerFee=Продавец оплачивает горный сбор +bisqEasy.takeOffer.review.noTradeFeesLong=В Bisq Easy нет торговых сборов. +bisqEasy.takeOffer.review.takeOffer=Подтвердите принятие предложения +bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.headline=Отправка сообщения с предложением о покупке +bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.subTitle=Отправка сообщения с предложением о покупке может занять до 2 минут +bisqEasy.takeOffer.review.sendTakeOfferMessageFeedback.info=Не закрывайте окно или приложение до тех пор, пока не увидите подтверждение того, что запрос на принятие предложения был успешно отправлен. +bisqEasy.takeOffer.review.takeOfferSuccess.headline=Вы успешно воспользовались предложением +bisqEasy.takeOffer.review.takeOfferSuccess.subTitle=Пожалуйста, свяжитесь с торговым коллегой на странице ''Открыть торги''.\nТам вы найдете информацию о дальнейших действиях.\n\nНе забывайте регулярно проверять приложение Bisq на наличие новых сообщений от вашего торгового партнера. +bisqEasy.takeOffer.review.takeOfferSuccessButton=Показать торговлю в разделе 'Открытые сделки' +bisqEasy.takeOffer.tradeLogMessage={0} отправил сообщение о принятии предложения {1}' + +bisqEasy.takeOffer.noMediatorAvailable.warning=Посредник не доступен. Приходится пользоваться чатом поддержки. +bisqEasy.takeOffer.makerBanned.warning=Автор этого предложения заблокирован. Пожалуйста, попробуйте использовать другое предложение. +# suppress inspection "UnusedProperty" +bisqEasy.takeOffer.bitcoinPaymentData.warning.MAIN_CHAIN=Введенный вами Bitcoin-адрес кажется недействительным.\n\nЕсли вы уверены, что адрес действителен, вы можете проигнорировать это предупреждение и продолжить. +# suppress inspection "UnusedProperty" +bisqEasy.takeOffer.bitcoinPaymentData.warning.LN=Введенный вами счет-фактура Lightning кажется недействительным.\n\nЕсли вы уверены, что счет-фактура действителен, вы можете проигнорировать это предупреждение и продолжить. +bisqEasy.takeOffer.bitcoinPaymentData.warning.proceed=Игнорировать предупреждение + + +################################################################################ +# +# TradeGuide +# +################################################################################ + +bisqEasy.tradeGuide.tabs.headline=Руководство по торговле +bisqEasy.tradeGuide.welcome=Обзор +bisqEasy.tradeGuide.security=Безопасность +bisqEasy.tradeGuide.process=Процесс +bisqEasy.tradeGuide.rules=Правила торговли + +bisqEasy.tradeGuide.welcome.headline=Как торговать на Bisq Easy +bisqEasy.tradeGuide.welcome.content=В этом руководстве представлен обзор основных аспектов покупки или продажи биткоина с помощью Bisq Easy.\nВ этом руководстве вы узнаете о модели безопасности, используемой в Bisq Easy, получите представление о процессе торговли и ознакомитесь с правилами торговли.\n\nЕсли у вас возникнут дополнительные вопросы, не стесняйтесь обращаться в чат, доступный в меню "Поддержка". + +bisqEasy.tradeGuide.security.headline=Насколько безопасно торговать на Bisq Easy? +bisqEasy.tradeGuide.security.content=- Модель безопасности Bisq Easy оптимизирована для небольших сумм сделок.\n- Модель опирается на репутацию продавца, который обычно является опытным пользователем Bisq и, как ожидается, окажет полезную поддержку новым пользователям.\n- Создание репутации может быть дорогостоящим делом, что приводит к обычной надбавке к цене в 5-15 % для покрытия дополнительных расходов и компенсации услуг продавца.\n- Торговля с продавцами, не имеющими репутации, сопряжена со значительными рисками, и к ней следует прибегать только в том случае, если эти риски тщательно осознаются и управляются. + +bisqEasy.tradeGuide.process.headline=Как происходит процесс торговли? +bisqEasy.tradeGuide.process.content=Когда вы решите принять предложение, у вас будет возможность выбрать один из доступных вариантов. Перед началом торговли вам будет представлен краткий обзор для ознакомления.\nПосле начала торговли пользовательский интерфейс проведет вас через весь процесс торговли, который состоит из следующих шагов: + +bisqEasy.tradeGuide.process.steps=1. Продавец и покупатель обмениваются реквизитами. Продавец отправляет покупателю свои платежные данные (например, номер банковского счета), а покупатель отправляет продавцу свой биткойн-адрес (или счет-фактуру Lightning).\n2. Затем покупатель инициирует фиатный платеж на счет продавца. После получения платежа продавец подтверждает его получение.\n3. Затем продавец отправляет биткоин на адрес покупателя и сообщает ему идентификатор транзакции (и, если используется Lightning, предварительное изображение). В пользовательском интерфейсе отобразится состояние подтверждения. После подтверждения сделка будет успешно завершена. + +bisqEasy.tradeGuide.rules.headline=Что мне нужно знать о правилах торговли? +bisqEasy.tradeGuide.rules.content=- До обмена данными о счете между продавцом и покупателем любая сторона может отменить сделку без объяснения причин.\n- Трейдеры должны регулярно проверять свои торговые операции на наличие новых сообщений и отвечать на них в течение 24 часов.\n- После обмена реквизитами невыполнение торговых обязательств считается нарушением торгового контракта и может привести к запрету доступа к сети Bisq. Это не относится к случаям, когда торговый партнер не отвечает на запросы.\n- При оплате фиатом покупатель НЕ ДОЛЖЕН указывать в поле "причина платежа" такие термины, как "Bisq" или "Bitcoin". Трейдеры могут договориться об идентификаторе, например, случайной строке типа 'H3TJAPD', чтобы связать банковский перевод со сделкой.\n- Если сделка не может быть завершена мгновенно из-за длительного времени перевода Fiat, оба трейдера должны быть онлайн не реже одного раза в день, чтобы следить за ходом сделки.\n- В случае возникновения неразрешимых проблем у трейдеров есть возможность пригласить посредника в торговый чат для получения помощи.\n\nЕсли у вас возникли вопросы или вам нужна помощь, не стесняйтесь обращаться в чат, доступный в меню "Поддержка". Счастливой торговли! + +bisqEasy.tradeGuide.rules.confirm=Я прочитал и понял + +bisqEasy.tradeGuide.notConfirmed.warn=Пожалуйста, ознакомьтесь с руководством по торговле и подтвердите, что вы прочитали и поняли правила торговли. +bisqEasy.tradeGuide.open=Руководство по открытой торговле + + +################################################################################ +# WalletGuide +################################################################################ + +bisqEasy.walletGuide.open=Руководство по открытому кошельку + +bisqEasy.walletGuide.tabs.headline=Путеводитель по кошельку +bisqEasy.walletGuide.intro=Введение +bisqEasy.walletGuide.download=Скачать +bisqEasy.walletGuide.createWallet=Новый кошелек +bisqEasy.walletGuide.receive=Получение + +bisqEasy.walletGuide.intro.headline=Приготовьтесь получить свой первый биткойн +bisqEasy.walletGuide.intro.content=В Bisq Easy получаемые вами биткоины поступают прямо в ваш карман без каких-либо посредников. Это большое преимущество, но оно также означает, что для его получения вам нужно иметь кошелек, которым вы управляете сами!\n\nВ этом кратком руководстве по созданию кошелька мы в несколько простых шагов покажем вам, как создать простой кошелек. С его помощью вы сможете получать и хранить только что купленные биткоины.\n\nЕсли вы уже знакомы с кошельками на цепочке и имеете такой кошелек, вы можете пропустить это руководство и просто использовать свой кошелек. + +bisqEasy.walletGuide.download.headline=Загрузка вашего кошелька +bisqEasy.walletGuide.download.content=Существует множество кошельков, которые вы можете использовать. В этом руководстве мы покажем вам, как использовать 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.walletGuide.download.link=Нажмите здесь, чтобы посетить страницу Bluewallet + +bisqEasy.walletGuide.createWallet.headline=Создание нового кошелька +bisqEasy.walletGuide.createWallet.content=Bluewallet позволяет создать несколько кошельков для разных целей. На данный момент вам достаточно иметь один кошелек. Как только вы войдете в Bluewallet, вы увидите сообщение, предлагающее добавить новый кошелек. После этого введите название кошелька и выберите опцию *Биткоин* в разделе *Тип*. Все остальные параметры вы можете оставить без изменений и нажать на кнопку *Создать*.\n\nКогда вы перейдете к следующему шагу, вам будет предложено 12 слов. Эти 12 слов - резервная копия, которая позволит вам восстановить кошелек, если что-то случится с вашим телефоном. Запишите их на листе бумаги (не в цифровом виде) в том же порядке, в котором они представлены, храните эту бумагу в надежном месте и убедитесь, что доступ к ней есть только у вас. Подробнее о том, как защитить свой кошелек, вы можете прочитать в разделах Bisq 2, посвященных кошелькам и безопасности.\n\nКак только вы закончите, нажмите на кнопку "Ок, я записал".\nПоздравляем! Вы создали свой кошелек! Давайте перейдем к тому, как получать в него биткоины. + +bisqEasy.walletGuide.receive.headline=Получение биткойнов в свой кошелек +bisqEasy.walletGuide.receive.content=Чтобы получить Bitcoin, вам нужен адрес вашего кошелька. Чтобы получить его, нажмите на только что созданный кошелек, а затем нажмите на кнопку "Получить" в нижней части экрана.\n\nBluewallet отобразит неиспользуемый адрес, как в виде QR-кода, так и в виде текста. Этот адрес вам нужно будет указать своему коллеге в Bisq Easy, чтобы он мог отправить вам покупаемый биткоин. Вы можете перенести адрес на свой компьютер, отсканировав QR-код с помощью камеры, отправив его по электронной почте или в чате, или даже просто набрав его.\n\nКак только вы завершите сделку, Bluewallet заметит поступление биткоинов и обновит ваш баланс новыми средствами. Каждый раз, когда вы совершаете новую сделку, получайте новый адрес, чтобы защитить свою конфиденциальность.\n\nЭто основы, которые необходимо знать, чтобы начать получать Биткойн на свой собственный кошелек. Если вы хотите узнать больше о Bluewallet, рекомендуем посмотреть видеоролики, перечисленные ниже. +bisqEasy.walletGuide.receive.link1=Учебник по Bluewallet от Аниты Пош +bisqEasy.walletGuide.receive.link2=Учебник по Bluewallet от BTC Сессии + + +###################################################### +# Offerbook +###################################################### + +bisqEasy.offerbook.markets=Рынки +bisqEasy.offerbook.markets.CollapsedList.Tooltip=Расширение рынков +bisqEasy.offerbook.markets.ExpandedList.Tooltip=Рынки краха +bisqEasy.offerbook.marketListCell.numOffers.one={0} предложение +bisqEasy.offerbook.marketListCell.numOffers.many={0} предлагает +bisqEasy.offerbook.marketListCell.numOffers.tooltip.none=На рынке {0} пока нет предложений +bisqEasy.offerbook.marketListCell.numOffers.tooltip.one=Предложение {0} доступно на рынке {1} +bisqEasy.offerbook.marketListCell.numOffers.tooltip.many={0} предложений доступны на {1} рынке +bisqEasy.offerbook.marketListCell.favourites.tooltip.addToFavourites=Добавить в избранное +bisqEasy.offerbook.marketListCell.favourites.tooltip.removeFromFavourites=Удалить из избранного +bisqEasy.offerbook.marketListCell.favourites.maxReached.popup=Здесь есть место только для 5 избранных. Удалите избранное и попробуйте снова. + +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.tooltip=Сортировка и фильтрация рынков +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.sortTitle=Сортировать по: +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.mostOffers=Большинство предложений +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.nameAZ=Название от А до Я +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.nameZA=Название Z-A +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.filterTitle=Показать рынки: +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.withOffers=С предложениями +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.favourites=Только любимые +bisqEasy.offerbook.dropdownMenu.sortAndFilterMarkets.all=Все + +bisqEasy.offerbook.chatMessage.deleteOffer.confirmation=Вы уверены, что хотите удалить это предложение? +bisqEasy.offerbook.chatMessage.deleteMessage.confirmation=Вы уверены, что хотите удалить это сообщение? + +bisqEasy.offerbook.offerList=Список предложений +bisqEasy.offerbook.offerList.collapsedList.tooltip=Расширить список предложений +bisqEasy.offerbook.offerList.expandedList.tooltip=Свернуть список предложений +bisqEasy.offerbook.offerList.table.columns.peerProfile=Профиль сверстника +bisqEasy.offerbook.offerList.table.columns.price=Цена +bisqEasy.offerbook.offerList.table.columns.fiatAmount={0} количество +bisqEasy.offerbook.offerList.table.columns.paymentMethod=Оплата +bisqEasy.offerbook.offerList.table.columns.settlementMethod=Поселение +bisqEasy.offerbook.offerList.table.filters.offerDirection.buyFrom=Купить у +bisqEasy.offerbook.offerList.table.filters.offerDirection.sellTo=Продать +bisqEasy.offerbook.offerList.table.filters.paymentMethods.title=Платежи ({0}) +bisqEasy.offerbook.offerList.table.filters.paymentMethods.title.all=Все +bisqEasy.offerbook.offerList.table.filters.paymentMethods.customPayments=Пользовательские платежи +bisqEasy.offerbook.offerList.table.filters.paymentMethods.clearFilters=Очистить фильтры +bisqEasy.offerbook.offerList.table.filters.showMyOffersOnly=Только мои предложения + +bisqEasy.offerbook.offerList.table.columns.price.tooltip.fixPrice=Фиксированная цена: {0}\nПроцент от текущей рыночной цены: {1} +bisqEasy.offerbook.offerList.table.columns.price.tooltip.marketPrice=Рыночная цена: {0} +bisqEasy.offerbook.offerList.table.columns.price.tooltip.floatPrice=Процентная цена {0}\nС текущей рыночной ценой: {1} + + +###################################################### +# Open trades +###################################################### + +bisqEasy.openTrades.table.headline=Мои открытые сделки +bisqEasy.openTrades.noTrades=У вас нет открытых сделок +bisqEasy.openTrades.rejectTrade=Отказаться от торговли +bisqEasy.openTrades.cancelTrade=Отменить торговлю +bisqEasy.openTrades.tradeLogMessage.rejected={0} отклонил сделку +bisqEasy.openTrades.tradeLogMessage.cancelled={0} отменил сделку +bisqEasy.openTrades.rejectTrade.warning=Поскольку обмен реквизитами еще не начался, отклонение сделки не является нарушением правил торговли.\n\nЕсли у вас возникли вопросы или проблемы, пожалуйста, не стесняйтесь обращаться к своему коллеге по торговле или за помощью в раздел "Поддержка".\n\nВы уверены, что хотите отклонить сделку? +bisqEasy.openTrades.cancelTrade.warning.buyer=Поскольку обмен реквизитами уже начался, отмена сделки без согласия продавца {0} +bisqEasy.openTrades.cancelTrade.warning.seller=Поскольку обмен реквизитами начался, отмена сделки без покупателя {0} + +bisqEasy.openTrades.cancelTrade.warning.part2=согласие может быть расценено как нарушение правил торговли и привести к тому, что ваш профиль будет заблокирован в сети.\n\nЕсли партнер не отвечает на запросы более 24 часов и оплата не была произведена, вы можете отказаться от сделки без последствий. Ответственность будет лежать на стороне, не отвечающей на запросы.\n\nЕсли у вас возникли вопросы или проблемы, пожалуйста, не стесняйтесь связаться с вашим торговым партнером или обратиться за помощью в раздел "Поддержка".\n\nЕсли вы считаете, что ваш коллега по торговле нарушил правила торговли, у вас есть возможность инициировать запрос на посредничество. Посредник присоединится к торговому чату и будет работать над поиском совместного решения.\n\nВы уверены, что хотите отменить сделку? + +bisqEasy.openTrades.closeTrade.warning.interrupted=Перед закрытием сделки вы можете создать резервную копию данных в виде файла csv, если это необходимо.\n\nПосле закрытия сделки все данные, связанные с ней, исчезают, и вы больше не можете общаться с коллегой по сделке в торговом чате.\n\nВы хотите закрыть сделку сейчас? + +bisqEasy.openTrades.closeTrade.warning.completed=Торговля завершена.\n\nТеперь вы можете закрыть сделку или при необходимости создать резервную копию данных о сделке на своем компьютере.\n\nПосле закрытия сделки все данные, связанные с ней, будут удалены, и вы больше не сможете общаться с коллегой по сделке в торговом чате. +bisqEasy.openTrades.closeTrade=Закрыть торговлю +bisqEasy.openTrades.confirmCloseTrade=Подтвердить закрытие сделки +bisqEasy.openTrades.exportTrade=Данные по экспортной торговле +bisqEasy.openTrades.reportToMediator=Доклад посреднику +bisqEasy.openTrades.rejected.self=Вы отклонили сделку +bisqEasy.openTrades.rejected.peer=Ваш торговый коллега отклонил сделку +bisqEasy.openTrades.cancelled.self=Вы отменили сделку +bisqEasy.openTrades.cancelled.peer=Ваш торговый коллега отменил сделку +bisqEasy.openTrades.inMediation.info=К торговому чату присоединился посредник. Пожалуйста, воспользуйтесь торговым чатом ниже, чтобы получить помощь посредника. +bisqEasy.openTrades.failed=Торговля завершилась неудачей с сообщением об ошибке: {0} +bisqEasy.openTrades.failed.popup=Торговля не состоялась из-за ошибки.\nСообщение об ошибке: {0}\n\nТрассировка стека: {1} +bisqEasy.openTrades.failedAtPeer=Торговля с коллегой завершилась с ошибкой, вызванной: {0} +bisqEasy.openTrades.failedAtPeer.popup=Торговля с коллегой не удалась из-за ошибки.\nОшибка вызвана: {0}\n\nТрассировка стека: {1} +bisqEasy.openTrades.table.tradePeer=Сверстник +bisqEasy.openTrades.table.me=Я +bisqEasy.openTrades.table.mediator=Медиатор +bisqEasy.openTrades.table.tradeId=Торговый идентификатор +bisqEasy.openTrades.table.price=Цена +bisqEasy.openTrades.table.baseAmount=Сумма в BTC +bisqEasy.openTrades.table.quoteAmount=Сумма +bisqEasy.openTrades.table.paymentMethod=Оплата +bisqEasy.openTrades.table.paymentMethod.tooltip=Фиатный способ оплаты: {0} +bisqEasy.openTrades.table.settlementMethod=Поселение +bisqEasy.openTrades.table.settlementMethod.tooltip=Метод расчетов в биткойнах: {0} +bisqEasy.openTrades.table.makerTakerRole=Моя роль +bisqEasy.openTrades.table.direction.buyer=Покупаем у: +bisqEasy.openTrades.table.direction.seller=Продам: +bisqEasy.openTrades.table.makerTakerRole.maker=Производитель +bisqEasy.openTrades.table.makerTakerRole.taker=Взявший +bisqEasy.openTrades.csv.quoteAmount=Сумма в {0} +bisqEasy.openTrades.csv.txIdOrPreimage=Идентификатор транзакции/предображение +bisqEasy.openTrades.csv.receiverAddressOrInvoice=Адрес получателя/Счет-фактура +bisqEasy.openTrades.csv.paymentMethod=Способ оплаты + +bisqEasy.openTrades.chat.peer.description=Чат с ровесниками +bisqEasy.openTrades.chat.detach=Отсоедините +bisqEasy.openTrades.chat.detach.tooltip=Открыть чат в новом окне +bisqEasy.openTrades.chat.attach=Восстановить +bisqEasy.openTrades.chat.attach.tooltip=Возврат чата в главное окно +bisqEasy.openTrades.chat.window.title={0} - Чат с {1} / Торговый идентификатор: {2} +bisqEasy.openTrades.chat.peerLeft.headline={0} покинул торговлю +bisqEasy.openTrades.chat.peerLeft.subHeadline=Если сделка не завершилась на вашей стороне и вам нужна помощь, свяжитесь с посредником или посетите чат поддержки. + +###################################################### +# Private chat +###################################################### + +bisqEasy.privateChats.leave=Покинуть чат +bisqEasy.privateChats.table.myUser=Мой профиль + + +###################################################### +# Top pane +###################################################### + +# Commented out in code +# suppress inspection "UnusedProperty" +bisqEasy.topPane.filter=Книга предложений по фильтрам +# Commented out in code +# suppress inspection "UnusedProperty" +bisqEasy.topPane.closeFilter=Закрыть фильтр +bisqEasy.topPane.filter.offersOnly=Показывать только предложения из книги предложений Bisq Easy + + +################################################################################ +# +# BisqEasyOfferDetails +# +################################################################################ + +bisqEasy.offerDetails.headline=Детали предложения +bisqEasy.offerDetails.buy=Предложение по покупке биткойна +bisqEasy.offerDetails.sell=Предложение о продаже биткойна + +bisqEasy.offerDetails.direction=Тип предложения +bisqEasy.offerDetails.baseSideAmount=Сумма биткоина +bisqEasy.offerDetails.quoteSideAmount={0} количество +bisqEasy.offerDetails.price={0} цена предложения +bisqEasy.offerDetails.priceValue={0} (премия: {1}) +bisqEasy.offerDetails.paymentMethods=Поддерживаемый метод(ы) оплаты +bisqEasy.offerDetails.id=Идентификатор предложения +bisqEasy.offerDetails.date=Дата создания +bisqEasy.offerDetails.makersTradeTerms=Торговые условия для производителей + + +################################################################################ +# +# OpenTradesWelcome +# +################################################################################ + +bisqEasy.openTrades.welcome.headline=Добро пожаловать в вашу первую сделку с Bisq Easy! +bisqEasy.openTrades.welcome.info=Пожалуйста, ознакомьтесь с концепцией, процессом и правилами торговли на Bisq Easy.\nПосле того как вы прочитали и приняли правила торговли, вы можете начать торговлю. +bisqEasy.openTrades.welcome.line1=Узнать о модели безопасности Bisq легко +bisqEasy.openTrades.welcome.line2=Узнайте, как происходит процесс торговли +bisqEasy.openTrades.welcome.line3=Ознакомьтесь с правилами торговли + + +################################################################################ +# +# TradeState +# +################################################################################ + +bisqEasy.tradeState.requestMediation=Просьба о посредничестве +bisqEasy.tradeState.reportToMediator=Доклад посреднику +bisqEasy.tradeState.acceptOrRejectSellersPrice.title=Внимание на изменение цены! +bisqEasy.tradeState.acceptOrRejectSellersPrice.description.buyersPrice=Ваша цена предложения на покупку биткойна составила {0}. +bisqEasy.tradeState.acceptOrRejectSellersPrice.description.sellersPrice=Однако продавец предлагает вам другую цену: {0}. +bisqEasy.tradeState.acceptOrRejectSellersPrice.description.question=Хотите ли вы принять эту новую цену или отказаться/отменить* сделку? +bisqEasy.tradeState.acceptOrRejectSellersPrice.description.disclaimer=(* Обратите внимание, что в данном конкретном случае отмена сделки не будет считаться нарушением правил торговли). +bisqEasy.tradeState.acceptOrRejectSellersPrice.button.accept=Принять цену + +# Trade State: Header +bisqEasy.tradeState.header.peer=Торговый коллега +bisqEasy.tradeState.header.direction=Я хочу +bisqEasy.tradeState.header.send=Сумма для отправки +bisqEasy.tradeState.header.pay=Сумма к оплате +bisqEasy.tradeState.header.receive=Сумма к получению +bisqEasy.tradeState.header.tradeId=Торговый идентификатор + +# Trade State: Phase (left side) +bisqEasy.tradeState.phase1=Детали аккаунта +bisqEasy.tradeState.phase2=Фиатный платеж +bisqEasy.tradeState.phase3=Перевод биткойнов +bisqEasy.tradeState.phase4=Торговля завершена + +# Trade State: Info (right side) + +bisqEasy.tradeState.info.phase3b.balance.help.explorerLookup=Просмотр транзакции в проводнике блоков ''{0}''. +bisqEasy.tradeState.info.phase3b.balance.help.notConfirmed=Транзакция замечена в памяти пула, но пока не подтверждена +bisqEasy.tradeState.info.phase3b.balance.help.confirmed=Сделка подтверждена +bisqEasy.tradeState.info.phase3b.txId.failed=Поиск транзакции по адресу ''{0}'' не удался с ошибкой {1}: ''{2}'' +bisqEasy.tradeState.info.phase3b.button.skip=Пропустить ожидание подтверждения блока + +bisqEasy.tradeState.info.phase3b.balance.invalid.noOutputsForAddress=В транзакции не найдено совпадающих выходов +bisqEasy.tradeState.info.phase3b.balance.invalid.multipleOutputsForAddress=В транзакции найдено несколько совпадающих выходов +bisqEasy.tradeState.info.phase3b.balance.invalid.amountNotMatching=Сумма, выведенная из транзакции, не совпадает с суммой сделки + +bisqEasy.tradeState.info.phase3b.button.next=Далее +bisqEasy.tradeState.info.phase3b.button.next.amountNotMatching=Сумма вывода для адреса ''{0}'' в транзакции ''{1}'' равна ''{2}'', что не соответствует сумме сделки ''{3}''.\n\nУдалось ли вам решить эту проблему с вашим торговым партнером?\nЕсли нет, вы можете обратиться за посредничеством, чтобы урегулировать этот вопрос. +bisqEasy.tradeState.info.phase3b.button.next.noOutputForAddress=Не найдено ни одного вывода, соответствующего адресу ''{0}'' в транзакции ''{1}''.\n\nУдалось ли вам решить этот вопрос со своим торговым партнером?\nЕсли нет, вы можете обратиться за посредничеством, чтобы урегулировать этот вопрос. + +bisqEasy.tradeState.info.phase3b.button.next.amountNotMatching.resolved=Я решил эту проблему + +bisqEasy.tradeState.info.phase3b.txId=Идентификатор транзакции +bisqEasy.tradeState.info.phase3b.txId.tooltip=Откройте транзакцию в проводнике блоков +bisqEasy.tradeState.info.phase3b.lightning.preimage=Предварительное изображение + +bisqEasy.tradeState.info.phase4.txId.tooltip=Откройте транзакцию в проводнике блоков +bisqEasy.tradeState.info.phase4.exportTrade=Данные по экспортной торговле +bisqEasy.tradeState.info.phase4.leaveChannel=Закрыть торговлю +#################################################################### +# Dynamically created from BitcoinPaymentRail enum name +#################################################################### +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.bitcoinPaymentData.MAIN_CHAIN=Биткойн-адрес +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.bitcoinPaymentData.LN=Молниеносный счет +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.paymentProof.MAIN_CHAIN=Идентификатор транзакции +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.paymentProof.LN=Предварительное изображение + + +# Trade State Info: Buyer +#################################################################### +# Dynamically created from BitcoinPaymentRail enum name +#################################################################### +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.headline.MAIN_CHAIN=Введите свой Bitcoin-адрес +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.description.MAIN_CHAIN=Биткойн-адрес +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.prompt.MAIN_CHAIN=Введите свой Bitcoin-адрес +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.tradeLogMessage.MAIN_CHAIN={0} отправил Bitcoin-адрес ''{1}''. +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.headline.LN=Заполните счет-фактуру Молнии +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.description.LN=Молниеносный счет +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.prompt.LN=Заполните счет-фактуру Молнии +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.buyer.phase1a.tradeLogMessage.LN={0} отправил счет-фактуру Молния ''{1}''. + +bisqEasy.tradeState.info.buyer.phase1a.bitcoinPayment.walletHelp=Если вы еще не создали кошелек, вы можете найти помощь в руководстве по созданию кошелька +bisqEasy.tradeState.info.buyer.phase1a.walletHelpButton=Руководство по открытому кошельку +bisqEasy.tradeState.info.buyer.phase1a.send=Отправить продавцу +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.tooltip=Сканируйте QR-код с помощью веб-камеры +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.description=Состояние подключения веб-камеры +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.connecting=Подключение к веб-камере... +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.imageRecognized=Подключена веб-камера +bisqEasy.tradeState.info.buyer.phase1a.scanQrCode.webcamState.failed=Не удалось подключиться к веб-камере +bisqEasy.tradeState.info.buyer.phase1b.headline=Дождитесь данных платежного счета продавца +bisqEasy.tradeState.info.buyer.phase1b.info=Для связи с продавцом вы можете воспользоваться чатом, расположенным ниже. + +bisqEasy.tradeState.info.buyer.phase2a.headline=Отправьте {0} на платежный счет продавца +bisqEasy.tradeState.info.buyer.phase2a.quoteAmount=Сумма к переводу +bisqEasy.tradeState.info.buyer.phase2a.sellersAccount=Платежный счет продавца +bisqEasy.tradeState.info.buyer.phase2a.reasonForPaymentInfo=Пожалуйста, оставьте поле "Причина платежа" пустым, если вы осуществляете банковский перевод +bisqEasy.tradeState.info.buyer.phase2a.confirmFiatSent=Подтвердите оплату {0} +bisqEasy.tradeState.info.buyer.phase2a.tradeLogMessage={0} инициировал {1} платеж + +bisqEasy.tradeState.info.buyer.phase2b.headline=Дождитесь подтверждения продавцом получения платежа +bisqEasy.tradeState.info.buyer.phase2b.info=Как только продавец получит ваш платеж в размере {0}, он начнет перевод биткоинов на указанный вами счет {1}. + +bisqEasy.tradeState.info.buyer.phase3a.headline=Дождитесь расчетов с продавцом в биткойнах +bisqEasy.tradeState.info.buyer.phase3a.info=Продавец должен начать перевод биткоинов на указанный вами счет {0}. +bisqEasy.tradeState.info.buyer.phase3b.headline.ln=Продавец отправил биткойн через сеть Молния +bisqEasy.tradeState.info.buyer.phase3b.info.ln=Переводы через Сеть Молний обычно происходят практически мгновенно. Если вы не получили платеж в течение одной минуты, свяжитесь с продавцом в торговом чате. Иногда платежи могут не проходить и их приходится повторять. +bisqEasy.tradeState.info.buyer.phase3b.confirmButton.ln=Подтвердите получение +bisqEasy.tradeState.info.buyer.phase3b.tradeLogMessage.ln={0} подтвердил получение платежа в биткойнах +bisqEasy.tradeState.info.buyer.phase3b.headline.MAIN_CHAIN=Продавец начал платеж в биткойнах +bisqEasy.tradeState.info.buyer.phase3b.info.MAIN_CHAIN=Как только транзакция Биткойн станет видимой в сети Биткойн, вы увидите платеж. После 1 подтверждения в блокчейне платеж можно считать завершённым. +bisqEasy.tradeState.info.buyer.phase3b.balance=Полученный Биткойн +bisqEasy.tradeState.info.buyer.phase3b.balance.prompt=Ожидание данных блокчейна... + +# Trade State Info: Seller +bisqEasy.tradeState.info.seller.phase1.headline=Отправьте данные вашего платежного счета покупателю +bisqEasy.tradeState.info.seller.phase1.accountData=Данные моего платежного счета +bisqEasy.tradeState.info.seller.phase1.accountData.prompt=Введите данные вашего платежного счета. Например, IBAN, BIC и имя владельца счета +bisqEasy.tradeState.info.seller.phase1.buttonText=Отправка данных учетной записи +bisqEasy.tradeState.info.seller.phase1.note=Примечание: Вы можете воспользоваться чатом ниже, чтобы связаться с покупателем, прежде чем раскрывать данные своего аккаунта. +bisqEasy.tradeState.info.seller.phase1.tradeLogMessage={0} отправил данные платежного счета:\n{1} + +bisqEasy.tradeState.info.seller.phase2a.waitForPayment.headline=Дождитесь оплаты {0} покупателя +bisqEasy.tradeState.info.seller.phase2a.waitForPayment.info=Как только покупатель инициирует платеж в размере {0}, вы получите уведомление. + +bisqEasy.tradeState.info.seller.phase2b.headline=Проверьте, получили ли вы {0} +bisqEasy.tradeState.info.seller.phase2b.info=Посетите свой банковский счет или приложение платежного провайдера, чтобы подтвердить получение платежа покупателя. + +bisqEasy.tradeState.info.seller.phase2b.fiatReceivedButton=Подтвердите получение {0} +bisqEasy.tradeState.info.seller.phase2b.tradeLogMessage={0} подтвердил получение {1} + +bisqEasy.tradeState.info.seller.phase3a.fiatPaymentReceivedCheckBox=Я подтвердил, что получил {0} +bisqEasy.tradeState.info.seller.phase3a.sendBtc=Отправьте {0} покупателю +bisqEasy.tradeState.info.seller.phase3a.baseAmount=Сумма для отправки +bisqEasy.tradeState.info.seller.phase3a.qrCodeDisplay.openWindow=Открыть увеличенный дисплей +bisqEasy.tradeState.info.seller.phase3a.qrCodeDisplay.window.title=Сканирование QR-кода для торговли ''{0}'' +bisqEasy.tradeState.info.seller.phase3b.headline.MAIN_CHAIN=Ожидание подтверждения блокчейна +bisqEasy.tradeState.info.seller.phase3b.info.MAIN_CHAIN=Для завершения платежа в Биткойнах требуется как минимум 1 подтверждение в блокчейне. +bisqEasy.tradeState.info.seller.phase3b.balance=Метод расчетов в биткойнах +bisqEasy.tradeState.info.seller.phase3b.balance.prompt=Ожидание данных блокчейна... + +#################################################################### +# Dynamically created from BitcoinPaymentRail enum name +#################################################################### +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.bitcoinPayment.description.MAIN_CHAIN=Биткойн-адрес +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.description.MAIN_CHAIN=Идентификатор транзакции +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.prompt.MAIN_CHAIN=Введите идентификатор транзакции Биткойн +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.paymentProof.MAIN_CHAIN=Идентификатор транзакции +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.bitcoinPayment.description.LN=Молниеносный счет +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.description.LN=Предварительное изображение (необязательно) +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.prompt.LN=Заполните предварительное изображение, если оно доступно +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.paymentProof.LN=Предварительное изображение + +bisqEasy.tradeState.info.seller.phase3a.btcSentButton=Я подтверждаю, что отправил {0} +bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage={0} инициировал перевод Bitcoin. {1}: ''{2}'' +bisqEasy.tradeState.info.seller.phase3a.tradeLogMessage.noProofProvided={0} инициировал перевод Bitcoin. + +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.MAIN_CHAIN=Похоже, что введенный вами идентификатор транзакции недействителен.\n\nЕсли вы уверены, что идентификатор транзакции действителен, вы можете проигнорировать это предупреждение и продолжить. +# suppress inspection "UnusedProperty" +bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.LN=Похоже, что введенный вами предварительный образ недействителен.\n\nЕсли вы уверены, что предварительный образ действителен, вы можете проигнорировать это предупреждение и продолжить. +bisqEasy.tradeState.info.seller.phase3a.paymentProof.warning.proceed=Игнорировать предупреждение + +bisqEasy.tradeState.info.seller.phase3b.headline.ln=Дождитесь подтверждения покупателем получения Bitcoin +bisqEasy.tradeState.info.seller.phase3b.info.ln=Переводы через Сеть Молний обычно почти мгновенны и надежны. Однако в некоторых случаях платежи могут не пройти и их приходится повторять.\n\nВо избежание проблем, пожалуйста, дождитесь подтверждения покупателем получения в торговом чате, прежде чем закрывать сделку, так как после этого связь будет невозможна. +bisqEasy.tradeState.info.seller.phase3b.confirmButton.ln=Полная торговля + + +###################################################### +# Trade Completed Table +##################################################### + +bisqEasy.tradeCompleted.title=Торговля была успешно завершена +bisqEasy.tradeCompleted.tableTitle=Резюме +bisqEasy.tradeCompleted.header.tradeWith=Торговля с +bisqEasy.tradeCompleted.header.myDirection.seller=Я продал +bisqEasy.tradeCompleted.header.myDirection.buyer=Я купил +bisqEasy.tradeCompleted.header.myDirection.btc=биткойн +bisqEasy.tradeCompleted.header.myOutcome.seller=Я получил +bisqEasy.tradeCompleted.header.myOutcome.buyer=Я заплатил +bisqEasy.tradeCompleted.header.paymentMethod=Способ оплаты +bisqEasy.tradeCompleted.header.tradeId=Торговый идентификатор +bisqEasy.tradeCompleted.body.date=Дата +bisqEasy.tradeCompleted.body.tradePrice=Торговая цена +bisqEasy.tradeCompleted.body.tradeFee=Комиссия за сделку +bisqEasy.tradeCompleted.body.tradeFee.value=Никаких торговых сборов в Bisq Easy +bisqEasy.tradeCompleted.body.copy.txId.tooltip=Скопировать идентификатор транзакции в буфер обмена +bisqEasy.tradeCompleted.body.copy.explorerLink.tooltip=Скопировать ссылку на транзакцию в проводнике блоков +bisqEasy.tradeCompleted.body.txId.tooltip=Открыть транзакцию в проводнике блоков + + +################################################################################ +# +# Mediation +# +################################################################################ + +bisqEasy.mediation.request.confirm.headline=Просьба о посредничестве +bisqEasy.mediation.request.confirm.msg=Если у вас возникли проблемы, которые вы не можете решить со своим торговым партнером, вы можете обратиться за помощью к посреднику.\n\nПожалуйста, не обращайтесь к посреднику по общим вопросам. В разделе поддержки есть чат, где вы можете получить общий совет и помощь. +bisqEasy.mediation.request.confirm.openMediation=Открытое посредничество +bisqEasy.mediation.request.feedback.headline=Посредничество запрошено +bisqEasy.mediation.request.feedback.msg=Запрос зарегистрированным посредникам отправлен.\n\nПожалуйста, наберитесь терпения, пока посредник не появится в сети, чтобы присоединиться к торговому чату и помочь разрешить любые проблемы. +bisqEasy.mediation.request.feedback.noMediatorAvailable=Посредник не доступен. Пожалуйста, воспользуйтесь чатом поддержки. +bisqEasy.mediation.requester.tradeLogMessage={0} запросил посредничество diff --git a/shared/domain/src/commonMain/resources/mobile/chat.properties b/shared/domain/src/commonMain/resources/mobile/chat.properties new file mode 100644 index 00000000..f4374552 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/chat.properties @@ -0,0 +1,264 @@ +#################################################################### +# +# Chat module +# +#################################################################### + +chat.privateChannel.message.leave={0} left that chat + +#################################################################### +# Notifications +#################################################################### + +chat.notifications.privateMessage.headline=Private message +chat.notifications.offerTaken.title=Your offer was taken by {0} +chat.notifications.offerTaken.message=Trade ID: {0} + +#################################################################### +# Dynamically created from ChatChannelDomain enum name +#################################################################### + +# suppress inspection "UnusedProperty" +chat.channelDomain.BISQ_EASY_OFFERBOOK=Bisq Easy +# suppress inspection "UnusedProperty" +chat.channelDomain.BISQ_EASY_OPEN_TRADES=Bisq Easy trade +# suppress inspection "UnusedProperty" +chat.channelDomain.BISQ_EASY_PRIVATE_CHAT=Bisq Easy +# suppress inspection "UnusedProperty" +chat.channelDomain.DISCUSSION=Discussions +# suppress inspection "UnusedProperty" +chat.channelDomain.EVENTS=Events +# suppress inspection "UnusedProperty" +chat.channelDomain.SUPPORT=Support + + +#################################################################### +# Channels +#################################################################### + +## Channel id is used for creating dynamically the key +# suppress inspection "UnusedProperty" +discussion.bisq.title=Discussions +# suppress inspection "UnusedProperty" +discussion.bisq.description=Public channel for discussions +# suppress inspection "UnusedProperty" +discussion.bitcoin.title=Bitcoin +# suppress inspection "UnusedProperty" +discussion.bitcoin.description=Channel for discussions about Bitcoin +# suppress inspection "UnusedProperty" +discussion.markets.title=Markets +# suppress inspection "UnusedProperty" +discussion.markets.description=Channel for discussions about markets and price +# suppress inspection "UnusedProperty" +discussion.offTopic.title=Off-topic +# suppress inspection "UnusedProperty" +discussion.offTopic.description=Channel for off-topic talk + +# suppress inspection "UnusedProperty" +events.conferences.title=Conferences +# suppress inspection "UnusedProperty" +events.conferences.description=Channel for announcements for conferences +# suppress inspection "UnusedProperty" +events.meetups.title=Meetups +# suppress inspection "UnusedProperty" +events.meetups.description=Channel for announcements for meetups +# suppress inspection "UnusedProperty" +events.podcasts.title=Podcasts +# suppress inspection "UnusedProperty" +events.podcasts.description=Channel for announcements for podcasts +# suppress inspection "UnusedProperty" +events.tradeEvents.title=Trade +# suppress inspection "UnusedProperty" +events.tradeEvents.description=Channel for announcements for trade events + +# suppress inspection "UnusedProperty" +support.support.title=Assistance +# suppress inspection "UnusedProperty" +support.support.description=Channel for support questions +# suppress inspection "UnusedProperty" +support.questions.title=Assistance +# suppress inspection "UnusedProperty" +support.questions.description=Channel for transaction assistance +# suppress inspection "UnusedProperty" +support.reports.title=Report +# suppress inspection "UnusedProperty" +support.reports.description=Channel for incident and fraud report + + +################################################################################ +# +# Desktop module +# +################################################################################ + +chat.leave=Click here to leave +chat.leave.info=You are about to leave this chat. +chat.leave.confirmLeaveChat=Leave chat +chat.messagebox.noChats.placeholder.title=Start the conversation! +chat.messagebox.noChats.placeholder.description=Join the discussion on {0} to share your thoughts and ask questions. +chat.ignoreUser.warn=Selecting 'Ignore user' will effectively hide all messages from this user.\n\n\ + This action will take effect the next time you enter the chat.\n\n\ + To reverse this, go to the more options menu > Channel Info > Participants and select 'Undo ignore' next to the user. +chat.ignoreUser.confirm=Ignore user + + +###################################################### +# Private chats +###################################################### + +chat.private.title=Private chats +chat.private.messagebox.noChats.title={0} private chats +chat.private.messagebox.noChats.placeholder.title=You don't have any ongoing conversations +chat.private.messagebox.noChats.placeholder.description=To chat with a peer privately, hover over their message in a\n\ + public chat and click 'Send private message'. +chat.private.openChatsList.headline=Chat peers +chat.private.leaveChat.confirmation=Are you sure you want to leave this chat?\n\ + You will lose access to the chat and all the chat information. + + +###################################################### +# Top menu +###################################################### + +chat.topMenu.tradeGuide.tooltip=Open trade guide +chat.topMenu.chatRules.tooltip=Open chat rules + + +###################################################### +# Chat menus +###################################################### + +chat.ellipsisMenu.tooltip=More options +chat.ellipsisMenu.chatRules=Chat rules +chat.ellipsisMenu.channelInfo=Channel info +chat.ellipsisMenu.tradeGuide=Trade guide + +chat.notificationsSettingsMenu.title=Notification options: +chat.notificationsSettingsMenu.tooltip=Notification options +chat.notificationsSettingsMenu.globalDefault=Use default +chat.notificationsSettingsMenu.all=All messages +chat.notificationsSettingsMenu.mention=If mentioned +chat.notificationsSettingsMenu.off=Off + + +###################################################### +# Chat rules +###################################################### + +chat.chatRules.headline=Chat rules +chat.chatRules.content=\ + - 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\n\ + By participating in the chat, you agree to follow these rules.\n\ + Severe rule violations may lead to a ban from the Bisq network. + + +#################################################################### +# Sidebar / channel info +#################################################################### + +chat.sideBar.channelInfo.notification.options=Notification options +chat.sideBar.channelInfo.notifications.globalDefault=Use default +chat.sideBar.channelInfo.notifications.all=All messages +chat.sideBar.channelInfo.notifications.mention=If mentioned +chat.sideBar.channelInfo.notifications.off=Off +chat.sideBar.channelInfo.participants=Participants + + +#################################################################### +# Report to moderator window +#################################################################### + +chat.reportToModerator.headline=Report to moderator +chat.reportToModerator.info=Please make yourself familiar with the trade rules and be sure the reason for reporting is considered a violation of those rules.\n\ + You 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.reportToModerator.message=Message to moderator +chat.reportToModerator.message.prompt=Enter message to moderator +chat.reportToModerator.report=Report to moderator + + +#################################################################### +# Chat message display +#################################################################### + +chat.message.input.prompt=Type a new message +chat.message.input.send=Send message +chat.message.wasEdited=(edited) +chat.message.privateMessage=Send private message +chat.message.reply=Reply +chat.message.moreOptions=More options +chat.message.supportedLanguages=Supported languages: +chat.message.supportedLanguages.Tooltip=Supported languages + +# suppress inspection "UnusedProperty" +chat.message.deliveryState.CONNECTING=Connecting to peer. +# suppress inspection "UnusedProperty" +chat.message.deliveryState.SENT=Message sent (receipt not confirmed yet). +# suppress inspection "UnusedProperty" +chat.message.deliveryState.ACK_RECEIVED=Message receipt acknowledged. +# suppress inspection "UnusedProperty" +chat.message.deliveryState.TRY_ADD_TO_MAILBOX=Trying to add message to peer's mailbox. +# suppress inspection "UnusedProperty" +chat.message.deliveryState.ADDED_TO_MAILBOX=Message added to peer's mailbox. +# suppress inspection "UnusedProperty" +chat.message.deliveryState.MAILBOX_MSG_RECEIVED=Peer has downloaded mailbox message. +# suppress inspection "UnusedProperty" +chat.message.deliveryState.FAILED=Sending message failed. +chat.message.resendMessage=Click to resend the message. + +chat.message.contextMenu.ignoreUser=Ignore user +chat.message.contextMenu.reportUser=Report user to moderator + +chat.message.takeOffer.seller.myReputationScoreTooLow.headline=Your reputation score is too low for taking that offer +chat.message.takeOffer.seller.myReputationScoreTooLow.warning=Your reputation score is {0} and below the required reputation score of {1} for the trade amount of {2}.\n\n\ + The security model of Bisq Easy is based on the seller''s reputation.\n\ + To learn more about the reputation system, visit: [HYPERLINK:https://bisq.wiki/Reputation].\n\n\ + You can read more about how to build up your reputation at ''Reputation/Build Reputation''. + +chat.message.takeOffer.buyer.makersReputationScoreTooLow.headline=Security warning +chat.message.takeOffer.buyer.makersReputationScoreTooLow.warning=The seller''s reputation score of {0} is below the required score of {1} for a trade amount of {2}.\n\n\ + Bisq 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\n\ + To learn more about the reputation system, visit: [HYPERLINK:https://bisq.wiki/Reputation].\n\n\ + Do you want to continue and take that offer? + +chat.message.takeOffer.buyer.makersReputationScoreTooLow.yes=Yes, I understand the risk and want to continue +chat.message.takeOffer.buyer.makersReputationScoreTooLow.no=No, I look for another offer + +chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.headline=Please review the risks when taking that offer +chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.warning=The seller''s reputation score is {0}, \ + which is below the required score of {1} for a trade amount of {2}.\n\n\ + Since 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\n\ + To learn more about the reputation system, visit: [HYPERLINK:https://bisq.wiki/Reputation].\n\n\ + Do you still want to take the offer? +chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.yes=Yes, I understand the risk and want to continue +chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.no=No, I look for another offer + +chat.message.offer.offerAlreadyTaken.warn=You have already taken that offer. +chat.message.delete.differentUserProfile.warn=This chat message was created with another user profile.\n\n\ + Do you want to delete the message? +chat.message.send.differentUserProfile.warn=You have used another user profile in that channel.\n\n\ + Are you sure you want to send that message with the currently selected user profile? +chat.privateChannel.changeUserProfile.warn=You are in a private chat channel which was created with user profile ''{0}''.\n\n\ + You cannot change the user profile while being in that chat channel. +chat.message.send.offerOnly.warn=You have the 'Only offers' option selected. \ + Normal text messages will not be displayed in that mode.\n\n\ + Do you want to change the mode to see all activity? +chat.message.send.textMsgOnly.warn=You have the 'Only messages' option selected. \ + Offer messages will not be displayed in that mode.\n\n\ + Do you want to change the mode to see all activity? + +chat.message.citation.headline=Replying to: +chat.message.reactionPopup=reacted with +chat.listView.scrollDown=Scroll down +chat.listView.scrollDown.newMessages=Scroll down to read new messages diff --git a/shared/domain/src/commonMain/resources/mobile/chat_af_ZA.properties b/shared/domain/src/commonMain/resources/mobile/chat_af_ZA.properties new file mode 100644 index 00000000..9ef82816 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/chat_af_ZA.properties @@ -0,0 +1,247 @@ +#################################################################### +# +# Chat module +# +#################################################################### + +chat.privateChannel.message.leave={0} het daardie gesels verlaat + +#################################################################### +# Notifications +#################################################################### + +chat.notifications.privateMessage.headline=Privaat boodskap +chat.notifications.offerTaken.title=Jou aanbod is geneem deur {0} +chat.notifications.offerTaken.message=Handel-ID: {0} + +#################################################################### +# Dynamically created from ChatChannelDomain enum name +#################################################################### + +# suppress inspection "UnusedProperty" +chat.channelDomain.BISQ_EASY_OFFERBOOK=Bisq Easy +# suppress inspection "UnusedProperty" +chat.channelDomain.BISQ_EASY_OPEN_TRADES=Bisq Easy handel +# suppress inspection "UnusedProperty" +chat.channelDomain.BISQ_EASY_PRIVATE_CHAT=Bisq Easy +# suppress inspection "UnusedProperty" +chat.channelDomain.DISCUSSION=Besprekings +# suppress inspection "UnusedProperty" +chat.channelDomain.EVENTS=Gebeurtenisse +# suppress inspection "UnusedProperty" +chat.channelDomain.SUPPORT=Ondersteuning + + +#################################################################### +# Channels +#################################################################### + +## Channel id is used for creating dynamically the key +# suppress inspection "UnusedProperty" +discussion.bisq.title=Besprekings +# suppress inspection "UnusedProperty" +discussion.bisq.description=Publieke kanaal vir besprekings +# suppress inspection "UnusedProperty" +discussion.bitcoin.title=Bitcoin +# suppress inspection "UnusedProperty" +discussion.bitcoin.description=Kanaal vir besprekings oor Bitcoin +# suppress inspection "UnusedProperty" +discussion.markets.title=Markte +# suppress inspection "UnusedProperty" +discussion.markets.description=Kanaal vir besprekings oor markte en pryse +# suppress inspection "UnusedProperty" +discussion.offTopic.title=Buite onderwerp +# suppress inspection "UnusedProperty" +discussion.offTopic.description=Kanaal vir buite-tema gesprekke + +# suppress inspection "UnusedProperty" +events.conferences.title=Konferensies +# suppress inspection "UnusedProperty" +events.conferences.description=Kanaal vir aankondigings vir konferensies +# suppress inspection "UnusedProperty" +events.meetups.title=Besprekings +# suppress inspection "UnusedProperty" +events.meetups.description=Kanaal vir aankondigings vir ontmoetings +# suppress inspection "UnusedProperty" +events.podcasts.title=Podcasts +# suppress inspection "UnusedProperty" +events.podcasts.description=Kanaal vir aankondigings vir podcasts +# suppress inspection "UnusedProperty" +events.tradeEvents.title=Handel +# suppress inspection "UnusedProperty" +events.tradeEvents.description=Kanaal vir aankondigings vir handel gebeurtenisse + +# suppress inspection "UnusedProperty" +support.support.title=Hulp +# suppress inspection "UnusedProperty" +support.support.description=Kanaal vir ondersteuning vrae +# suppress inspection "UnusedProperty" +support.questions.title=Hulp +# suppress inspection "UnusedProperty" +support.questions.description=Kanaal vir transaksie-assistentie +# suppress inspection "UnusedProperty" +support.reports.title=Verslag +# suppress inspection "UnusedProperty" +support.reports.description=Kanaal vir voorval en bedrog verslag + + +################################################################################ +# +# Desktop module +# +################################################################################ + +chat.leave=Klik hier om te verlaat +chat.leave.info=Jy is besig om hierdie geselskap te verlaat. +chat.leave.confirmLeaveChat=Verlaat die gesels +chat.messagebox.noChats.placeholder.title=Begin die gesprek! +chat.messagebox.noChats.placeholder.description=Sluit aan by die besprekings op {0} om jou gedagtes te deel en vrae te vra. +chat.ignoreUser.warn=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. +chat.ignoreUser.confirm=Ignoreer gebruiker + + +###################################################### +# Private chats +###################################################### + +chat.private.title=Privaat geselskapies +chat.private.messagebox.noChats.title={0} privaat geselskapen +chat.private.messagebox.noChats.placeholder.title=Jy het geen lopende gesprekke nie +chat.private.messagebox.noChats.placeholder.description=Om met 'n peer privaat te gesels, beweeg oor hul boodskap in 'n\npublieke geselskap en klik op 'Stuur privaat boodskap'. +chat.private.openChatsList.headline=Geselskapere +chat.private.leaveChat.confirmation=Is jy seker jy wil hierdie geselskap verlaat?\nJy sal toegang tot die geselskap en al die geselskapinligting verloor. + + +###################################################### +# Top menu +###################################################### + +chat.topMenu.tradeGuide.tooltip=Open handel gids +chat.topMenu.chatRules.tooltip=Open geselskapreëls + + +###################################################### +# Chat menus +###################################################### + +chat.ellipsisMenu.tooltip=Meer opsies +chat.ellipsisMenu.chatRules=Geselskap reëls +chat.ellipsisMenu.channelInfo=Kanaalinligting +chat.ellipsisMenu.tradeGuide=Handel gids + +chat.notificationsSettingsMenu.title=Kennisgewing opsies: +chat.notificationsSettingsMenu.tooltip=Kennisgewing opsies +chat.notificationsSettingsMenu.globalDefault=Gebruik verstek +chat.notificationsSettingsMenu.all=Alle boodskappe +chat.notificationsSettingsMenu.mention=As genoem +chat.notificationsSettingsMenu.off=Af + + +###################################################### +# Chat rules +###################################################### + +chat.chatRules.headline=Geselskap reëls +chat.chatRules.content=- 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. + + +#################################################################### +# Sidebar / user profile +#################################################################### + +chat.sideBar.userProfile.headline=Gebruikersprofiel +chat.sideBar.userProfile.nym=Bot-id +chat.sideBar.userProfile.id=Gebruiker id +chat.sideBar.userProfile.transportAddress=Vervoeradres +chat.sideBar.userProfile.totalReputationScore=Totaal reputasie-telling +chat.sideBar.userProfile.profileAge=Profiel-ouderdom +chat.sideBar.userProfile.livenessState=Laaste gebruikeraktiwiteit +chat.sideBar.userProfile.version=weergawe +chat.sideBar.userProfile.statement=Staat +chat.sideBar.userProfile.terms=Handelsvoorwaardes +chat.sideBar.userProfile.sendPrivateMessage=Stuur privaat boodskap +chat.sideBar.userProfile.mention=Verwys +chat.sideBar.userProfile.ignore=Ignore +chat.sideBar.userProfile.undoIgnore=Herstel ignoreer +chat.sideBar.userProfile.report=Rapporteer aan Moderator + + +#################################################################### +# Sidebar / channel info +#################################################################### + +chat.sideBar.channelInfo.notification.options=Kennisgewing opsies +chat.sideBar.channelInfo.notifications.globalDefault=Gebruik verstek +chat.sideBar.channelInfo.notifications.all=Alle boodskappe +chat.sideBar.channelInfo.notifications.mention=As jy genoem word +chat.sideBar.channelInfo.notifications.off=Af +chat.sideBar.channelInfo.participants=Deelnemers + + +#################################################################### +# Report to moderator window +#################################################################### + +chat.reportToModerator.headline=Rapporteer aan Moderator +chat.reportToModerator.info=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.reportToModerator.message=Boodskap aan Moderator +chat.reportToModerator.message.prompt=Voer boodskap aan Moderator in +chat.reportToModerator.report=Rapporteer aan Moderator + + +#################################################################### +# Chat message display +#################################################################### + +chat.message.input.prompt=Tik 'n nuwe boodskap +chat.message.input.send=Stuur boodskap +chat.message.wasEdited=(gewysig) +chat.message.privateMessage=Stuur privaat boodskap +chat.message.reply=Antwoord +chat.message.moreOptions=Meer opsies +chat.message.supportedLanguages=Ondersteunde tale: +chat.message.supportedLanguages.Tooltip=Ondersteunde tale + +# suppress inspection "UnusedProperty" +chat.message.deliveryState.CONNECTING=Verbinde met peer. +# suppress inspection "UnusedProperty" +chat.message.deliveryState.SENT=Boodskap gestuur (ontvangs nog nie bevestig nie). +# suppress inspection "UnusedProperty" +chat.message.deliveryState.ACK_RECEIVED=Boodskap ontvangs erken. +# suppress inspection "UnusedProperty" +chat.message.deliveryState.TRY_ADD_TO_MAILBOX=Probeer om boodskap by die peer se posbus te voeg. +# suppress inspection "UnusedProperty" +chat.message.deliveryState.ADDED_TO_MAILBOX=Boodskap by die peer se posbus gevoeg. +# suppress inspection "UnusedProperty" +chat.message.deliveryState.MAILBOX_MSG_RECEIVED=Peer het die posbusboodskap afgelaai. +# suppress inspection "UnusedProperty" +chat.message.deliveryState.FAILED=Stuur boodskap het misluk. +chat.message.resendMessage=Klik om die boodskap weer te stuur. + +chat.message.contextMenu.ignoreUser=Ignoreer gebruiker +chat.message.contextMenu.reportUser=Rapporteer gebruiker aan Moderator + +chat.message.takeOffer.seller.myReputationScoreTooLow.headline=Jou reputasie-telling is te laag om daardie aanbod te aanvaar +chat.message.takeOffer.seller.myReputationScoreTooLow.warning=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.message.takeOffer.buyer.makersReputationScoreTooLow.headline=Sekuriteitswaarskuwing +chat.message.takeOffer.buyer.makersReputationScoreTooLow.warning=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.takeOffer.buyer.makersReputationScoreTooLow.yes=Ja, ek verstaan die risiko en wil voortgaan +chat.message.takeOffer.buyer.makersReputationScoreTooLow.no=Nee, ek soek 'n ander aanbod + +chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.headline=Asseblief hersien die risiko's wanneer u daardie aanbod aanvaar +chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.warning=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=Ja, ek verstaan die risiko en wil voortgaan +chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.no=Nee, ek soek 'n ander aanbod + +chat.message.offer.offerAlreadyTaken.warn=Jy het daardie aanbod reeds geneem. +chat.message.delete.differentUserProfile.warn=Hierdie geselskapmsg is geskep met 'n ander gebruiker profiel.\n\nWil jy die boodskap verwyder? +chat.message.send.differentUserProfile.warn=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? +chat.privateChannel.changeUserProfile.warn=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.send.offerOnly.warn=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.message.citation.headline=Antwoord op: +chat.message.reactionPopup=gereageer met +chat.listView.scrollDown=Rolleer af +chat.listView.scrollDown.newMessages=Rolleer af om nuwe boodskappe te lees diff --git a/shared/domain/src/commonMain/resources/mobile/chat_cs.properties b/shared/domain/src/commonMain/resources/mobile/chat_cs.properties new file mode 100644 index 00000000..955a2e03 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/chat_cs.properties @@ -0,0 +1,247 @@ +#################################################################### +# +# Chat module +# +#################################################################### + +chat.privateChannel.message.leave={0} opustil/a tento chat + +#################################################################### +# Notifications +#################################################################### + +chat.notifications.privateMessage.headline=Soukromá zpráva +chat.notifications.offerTaken.title=Vaše nabídka byla přijata uživatelem {0} +chat.notifications.offerTaken.message=ID obchodu: {0} + +#################################################################### +# Dynamically created from ChatChannelDomain enum name +#################################################################### + +# suppress inspection "UnusedProperty" +chat.channelDomain.BISQ_EASY_OFFERBOOK=Bisq Easy +# suppress inspection "UnusedProperty" +chat.channelDomain.BISQ_EASY_OPEN_TRADES=Bisq Easy obchod +# suppress inspection "UnusedProperty" +chat.channelDomain.BISQ_EASY_PRIVATE_CHAT=Bisq Easy +# suppress inspection "UnusedProperty" +chat.channelDomain.DISCUSSION=Diskuze +# suppress inspection "UnusedProperty" +chat.channelDomain.EVENTS=Události +# suppress inspection "UnusedProperty" +chat.channelDomain.SUPPORT=Podpora + + +#################################################################### +# Channels +#################################################################### + +## Channel id is used for creating dynamically the key +# suppress inspection "UnusedProperty" +discussion.bisq.title=Diskuze +# suppress inspection "UnusedProperty" +discussion.bisq.description=Veřejný kanál pro diskuse +# suppress inspection "UnusedProperty" +discussion.bitcoin.title=Bitcoin +# suppress inspection "UnusedProperty" +discussion.bitcoin.description=Kanál pro diskuse o Bitcoinu +# suppress inspection "UnusedProperty" +discussion.markets.title=Trhy +# suppress inspection "UnusedProperty" +discussion.markets.description=Kanál pro diskuse o trzích a cenách +# suppress inspection "UnusedProperty" +discussion.offTopic.title=Mimo téma +# suppress inspection "UnusedProperty" +discussion.offTopic.description=Kanál pro neformální rozhovory + +# suppress inspection "UnusedProperty" +events.conferences.title=Konference +# suppress inspection "UnusedProperty" +events.conferences.description=Kanál pro oznámení konferencí +# suppress inspection "UnusedProperty" +events.meetups.title=Setkání +# suppress inspection "UnusedProperty" +events.meetups.description=Kanál pro oznámení setkání +# suppress inspection "UnusedProperty" +events.podcasts.title=Podcasty +# suppress inspection "UnusedProperty" +events.podcasts.description=Kanál pro oznámení podcastů +# suppress inspection "UnusedProperty" +events.tradeEvents.title=Obchod +# suppress inspection "UnusedProperty" +events.tradeEvents.description=Kanál pro oznámení obchodních událostí + +# suppress inspection "UnusedProperty" +support.support.title=Pomoc +# suppress inspection "UnusedProperty" +support.support.description=Kanál pro všeobecnou podporu +# suppress inspection "UnusedProperty" +support.questions.title=Otázky +# suppress inspection "UnusedProperty" +support.questions.description=Kanál pro obecné otázky +# suppress inspection "UnusedProperty" +support.reports.title=Asistence +# suppress inspection "UnusedProperty" +support.reports.description=Kanál pro asistenci při transakcích + + +################################################################################ +# +# Desktop module +# +################################################################################ + +chat.leave=Klikněte zde pro opuštění +chat.leave.info=Chystáte se opustit tento chat. +chat.leave.confirmLeaveChat=Opustit chat +chat.messagebox.noChats.placeholder.title=Začněte konverzaci! +chat.messagebox.noChats.placeholder.description=Přidejte se k diskuzi na {0}, abyste sdíleli své myšlenky a pokládali otázky. +chat.ignoreUser.warn=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. +chat.ignoreUser.confirm=Ignorovat uživatele + + +###################################################### +# Private chats +###################################################### + +chat.private.title=Soukromé chaty +chat.private.messagebox.noChats.title={0} soukromé chaty +chat.private.messagebox.noChats.placeholder.title=Nemáte žádné probíhající konverzace +chat.private.messagebox.noChats.placeholder.description=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.private.openChatsList.headline=Chatovací partneři +chat.private.leaveChat.confirmation=Opravdu chcete tento chat opustit?\nZtratíte přístup k chatu a veškeré informace o chatu. + + +###################################################### +# Top menu +###################################################### + +chat.topMenu.tradeGuide.tooltip=Otevřít průvodce obchodováním +chat.topMenu.chatRules.tooltip=Otevřít pravidla chatu + + +###################################################### +# Chat menus +###################################################### + +chat.ellipsisMenu.tooltip=Další možnosti +chat.ellipsisMenu.chatRules=Pravidla chatu +chat.ellipsisMenu.channelInfo=Informace o kanálu +chat.ellipsisMenu.tradeGuide=Průvodce obchodováním + +chat.notificationsSettingsMenu.title=Možnosti oznámení: +chat.notificationsSettingsMenu.tooltip=Možnosti oznámení +chat.notificationsSettingsMenu.globalDefault=Použít výchozí +chat.notificationsSettingsMenu.all=Všechny zprávy +chat.notificationsSettingsMenu.mention=Pokud jsem zmíněn +chat.notificationsSettingsMenu.off=Vypnuto + + +###################################################### +# Chat rules +###################################################### + +chat.chatRules.headline=Pravidla chatu +chat.chatRules.content=- 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. + + +#################################################################### +# Sidebar / user profile +#################################################################### + +chat.sideBar.userProfile.headline=Uživatelský profil +chat.sideBar.userProfile.nym=ID bota +chat.sideBar.userProfile.id=ID uživatele +chat.sideBar.userProfile.transportAddress=Transportní adresa +chat.sideBar.userProfile.totalReputationScore=Celkové skóre reputace +chat.sideBar.userProfile.profileAge=Stáří profilu +chat.sideBar.userProfile.livenessState=Poslední aktivita uživatele +chat.sideBar.userProfile.version=Verze +chat.sideBar.userProfile.statement=Prohlášení +chat.sideBar.userProfile.terms=Obchodní podmínky +chat.sideBar.userProfile.sendPrivateMessage=Poslat soukromou zprávu +chat.sideBar.userProfile.mention=Zmínka +chat.sideBar.userProfile.ignore=Ignorovat +chat.sideBar.userProfile.undoIgnore=Zrušit ignorování +chat.sideBar.userProfile.report=Nahlásit moderátorovi + + +#################################################################### +# Sidebar / channel info +#################################################################### + +chat.sideBar.channelInfo.notification.options=Možnosti oznámení +chat.sideBar.channelInfo.notifications.globalDefault=Použít výchozí +chat.sideBar.channelInfo.notifications.all=Všechny zprávy +chat.sideBar.channelInfo.notifications.mention=Při zmínce +chat.sideBar.channelInfo.notifications.off=Vypnuto +chat.sideBar.channelInfo.participants=Účastníci + + +#################################################################### +# Report to moderator window +#################################################################### + +chat.reportToModerator.headline=Nahlásit moderátorovi +chat.reportToModerator.info=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.reportToModerator.message=Zpráva pro moderátora +chat.reportToModerator.message.prompt=Zadejte zprávu pro moderátora +chat.reportToModerator.report=Nahlásit moderátorovi + + +#################################################################### +# Chat message display +#################################################################### + +chat.message.input.prompt=Napište novou zprávu +chat.message.input.send=Odeslat zprávu +chat.message.wasEdited=(upraveno) +chat.message.privateMessage=Poslat soukromou zprávu +chat.message.reply=Odpovědět +chat.message.moreOptions=Další možnosti +chat.message.supportedLanguages=Podporované jazyky: +chat.message.supportedLanguages.Tooltip=Podporované jazyky + +# suppress inspection "UnusedProperty" +chat.message.deliveryState.CONNECTING=Připojování k uživateli +# suppress inspection "UnusedProperty" +chat.message.deliveryState.SENT=Zpráva odeslána (potvrzení přijetí zatím nebylo obdrženo) +# suppress inspection "UnusedProperty" +chat.message.deliveryState.ACK_RECEIVED=Potvrzení přijetí zprávy obdrženo +# suppress inspection "UnusedProperty" +chat.message.deliveryState.TRY_ADD_TO_MAILBOX=Pokus o přidání zprávy do schránky uživatele +# suppress inspection "UnusedProperty" +chat.message.deliveryState.ADDED_TO_MAILBOX=Zpráva přidána do schránky uživatele +# suppress inspection "UnusedProperty" +chat.message.deliveryState.MAILBOX_MSG_RECEIVED=Uživatel stáhl zprávu ze schránky +# suppress inspection "UnusedProperty" +chat.message.deliveryState.FAILED=Odeslání zprávy se nezdařilo. +chat.message.resendMessage=Klikněte pro opětovné odeslání zprávy. + +chat.message.contextMenu.ignoreUser=Ignorovat uživatele +chat.message.contextMenu.reportUser=Nahlásit uživatele moderátorovi + +chat.message.takeOffer.seller.myReputationScoreTooLow.headline=Vaše Skóre Reputace je příliš nízké na to, abyste mohli přijmout tuto nabídku +chat.message.takeOffer.seller.myReputationScoreTooLow.warning=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.message.takeOffer.buyer.makersReputationScoreTooLow.headline=Bezpečnostní varování +chat.message.takeOffer.buyer.makersReputationScoreTooLow.warning=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.takeOffer.buyer.makersReputationScoreTooLow.yes=Ano, rozumím riziku a chci pokračovat +chat.message.takeOffer.buyer.makersReputationScoreTooLow.no=Ne, hledám jinou nabídku + +chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.headline=Prosím, zvažte rizika při přijetí této nabídky +chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.warning=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=Ano, rozumím riziku a chci pokračovat +chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.no=Ne, hledám jinou nabídku + +chat.message.offer.offerAlreadyTaken.warn=Tuto nabídku jste již přijali. +chat.message.delete.differentUserProfile.warn=Tato chatová zpráva byla vytvořena s jiným uživatelským profilem.\n\nChcete zprávu smazat? +chat.message.send.differentUserProfile.warn=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? +chat.privateChannel.changeUserProfile.warn=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.send.offerOnly.warn=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.message.citation.headline=Odpovídání na: +chat.message.reactionPopup=reakce s +chat.listView.scrollDown=Posunout dolů +chat.listView.scrollDown.newMessages=Posunout dolů pro čtení nových zpráv diff --git a/shared/domain/src/commonMain/resources/mobile/chat_de.properties b/shared/domain/src/commonMain/resources/mobile/chat_de.properties new file mode 100644 index 00000000..9e13a4dc --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/chat_de.properties @@ -0,0 +1,247 @@ +#################################################################### +# +# Chat module +# +#################################################################### + +chat.privateChannel.message.leave={0} hat den Chat verlassen + +#################################################################### +# Notifications +#################################################################### + +chat.notifications.privateMessage.headline=Private Nachricht +chat.notifications.offerTaken.title=Dein Angebot wurde von {0} angenommen +chat.notifications.offerTaken.message=Trade-ID: {0} + +#################################################################### +# Dynamically created from ChatChannelDomain enum name +#################################################################### + +# suppress inspection "UnusedProperty" +chat.channelDomain.BISQ_EASY_OFFERBOOK=Bisq Easy +# suppress inspection "UnusedProperty" +chat.channelDomain.BISQ_EASY_OPEN_TRADES=Bisq Easy Trades +# suppress inspection "UnusedProperty" +chat.channelDomain.BISQ_EASY_PRIVATE_CHAT=Bisq Easy +# suppress inspection "UnusedProperty" +chat.channelDomain.DISCUSSION=Diskussionen +# suppress inspection "UnusedProperty" +chat.channelDomain.EVENTS=Ereignisse +# suppress inspection "UnusedProperty" +chat.channelDomain.SUPPORT=Support + + +#################################################################### +# Channels +#################################################################### + +## Channel id is used for creating dynamically the key +# suppress inspection "UnusedProperty" +discussion.bisq.title=Diskussionen +# suppress inspection "UnusedProperty" +discussion.bisq.description=Öffentlicher Kanal für Diskussionen +# suppress inspection "UnusedProperty" +discussion.bitcoin.title=Bitcoin +# suppress inspection "UnusedProperty" +discussion.bitcoin.description=Kanal für Diskussionen über Bitcoin +# suppress inspection "UnusedProperty" +discussion.markets.title=Märkte +# suppress inspection "UnusedProperty" +discussion.markets.description=Kanal für Diskussionen über Märkte und Preise +# suppress inspection "UnusedProperty" +discussion.offTopic.title=Off-Topic +# suppress inspection "UnusedProperty" +discussion.offTopic.description=Kanal für Off-Topic-Gespräche + +# suppress inspection "UnusedProperty" +events.conferences.title=Konferenzen +# suppress inspection "UnusedProperty" +events.conferences.description=Kanal für Ankündigungen zu Konferenzen +# suppress inspection "UnusedProperty" +events.meetups.title=Meetups +# suppress inspection "UnusedProperty" +events.meetups.description=Kanal für Ankündigungen zu Meetups +# suppress inspection "UnusedProperty" +events.podcasts.title=Podcasts +# suppress inspection "UnusedProperty" +events.podcasts.description=Kanal für Ankündigungen zu Podcasts +# suppress inspection "UnusedProperty" +events.tradeEvents.title=Handelsereignisse +# suppress inspection "UnusedProperty" +events.tradeEvents.description=Kanal für Ankündigungen zu Handelsereignissen + +# suppress inspection "UnusedProperty" +support.support.title=Unterstützung +# suppress inspection "UnusedProperty" +support.support.description=Kanal für Support +# suppress inspection "UnusedProperty" +support.questions.title=Fragen +# suppress inspection "UnusedProperty" +support.questions.description=Kanal für allgemeine Fragen +# suppress inspection "UnusedProperty" +support.reports.title=Betrugsbericht +# suppress inspection "UnusedProperty" +support.reports.description=Kanal für Betrugsberichte + + +################################################################################ +# +# Desktop module +# +################################################################################ + +chat.leave=Hier klicken zum Verlassen +chat.leave.info=Du bist dabei, diesen Chat zu verlassen. +chat.leave.confirmLeaveChat=Chat verlassen +chat.messagebox.noChats.placeholder.title=Beginnen Sie die Unterhaltung! +chat.messagebox.noChats.placeholder.description=Treten Sie der Diskussion auf {0} bei, um Ihre Gedanken zu teilen und Fragen zu stellen. +chat.ignoreUser.warn='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. +chat.ignoreUser.confirm=Benutzer ignorieren + + +###################################################### +# Private chats +###################################################### + +chat.private.title=Private Chats +chat.private.messagebox.noChats.title={0} private Unterhaltungen +chat.private.messagebox.noChats.placeholder.title=Du hast keine laufenden Unterhaltungen +chat.private.messagebox.noChats.placeholder.description=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.private.openChatsList.headline=Chatpartner +chat.private.leaveChat.confirmation=Sind Sie sicher, dass Sie diesen Chat verlassen möchten?\nSie verlieren den Zugang zum Chat und alle Chatinformationen. + + +###################################################### +# Top menu +###################################################### + +chat.topMenu.tradeGuide.tooltip=Handelsanleitung öffnen +chat.topMenu.chatRules.tooltip=Chatregeln öffnen + + +###################################################### +# Chat menus +###################################################### + +chat.ellipsisMenu.tooltip=Mehr Optionen +chat.ellipsisMenu.chatRules=Chatregeln +chat.ellipsisMenu.channelInfo=Kanalinformationen +chat.ellipsisMenu.tradeGuide=Handelsanleitung + +chat.notificationsSettingsMenu.title=Benachrichtigungsoptionen: +chat.notificationsSettingsMenu.tooltip=Benachrichtigungsoptionen +chat.notificationsSettingsMenu.globalDefault=Standard verwenden +chat.notificationsSettingsMenu.all=Alle Nachrichten +chat.notificationsSettingsMenu.mention=Bei Erwähnung +chat.notificationsSettingsMenu.off=Aus + + +###################################################### +# Chat rules +###################################################### + +chat.chatRules.headline=Chatregeln +chat.chatRules.content=- 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. + + +#################################################################### +# Sidebar / user profile +#################################################################### + +chat.sideBar.userProfile.headline=Benutzerprofil +chat.sideBar.userProfile.nym=Bot-ID +chat.sideBar.userProfile.id=Benutzer-ID +chat.sideBar.userProfile.transportAddress=Transportadresse +chat.sideBar.userProfile.totalReputationScore=Gesamte Reputation +chat.sideBar.userProfile.profileAge=Profilalter +chat.sideBar.userProfile.livenessState=Zuletzt online +chat.sideBar.userProfile.version=Version +chat.sideBar.userProfile.statement=Erklärung +chat.sideBar.userProfile.terms=Handelsbedingungen +chat.sideBar.userProfile.sendPrivateMessage=Private Nachricht senden +chat.sideBar.userProfile.mention=Erwähnung +chat.sideBar.userProfile.ignore=Ignorieren +chat.sideBar.userProfile.undoIgnore=Ignorierung aufheben +chat.sideBar.userProfile.report=An Moderator melden + + +#################################################################### +# Sidebar / channel info +#################################################################### + +chat.sideBar.channelInfo.notification.options=Benachrichtigungsoptionen +chat.sideBar.channelInfo.notifications.globalDefault=Standard verwenden +chat.sideBar.channelInfo.notifications.all=Alle Nachrichten +chat.sideBar.channelInfo.notifications.mention=Bei Erwähnung +chat.sideBar.channelInfo.notifications.off=Deaktiviert +chat.sideBar.channelInfo.participants=Teilnehmer + + +#################################################################### +# Report to moderator window +#################################################################### + +chat.reportToModerator.headline=An Moderator melden +chat.reportToModerator.info=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.reportToModerator.message=Nachricht an Moderator +chat.reportToModerator.message.prompt=Gebe eine Nachricht an den Moderator ein +chat.reportToModerator.report=An Moderator melden + + +#################################################################### +# Chat message display +#################################################################### + +chat.message.input.prompt=Neue Nachricht eingeben +chat.message.input.send=Nachricht senden +chat.message.wasEdited=(bearbeitet) +chat.message.privateMessage=Private Nachricht senden +chat.message.reply=Antworten +chat.message.moreOptions=Mehr Optionen +chat.message.supportedLanguages=Unterstützte Sprachen: +chat.message.supportedLanguages.Tooltip=Unterstützte Sprachen + +# suppress inspection "UnusedProperty" +chat.message.deliveryState.CONNECTING=Verbindung zum Empfänger wird hergestellt. +# suppress inspection "UnusedProperty" +chat.message.deliveryState.SENT=Nachricht gesendet (Empfang noch nicht bestätigt). +# suppress inspection "UnusedProperty" +chat.message.deliveryState.ACK_RECEIVED=Empfang der Nachricht bestätigt. +# suppress inspection "UnusedProperty" +chat.message.deliveryState.TRY_ADD_TO_MAILBOX=Versuche, Nachricht im Postfach des Empfängers abzulegen. +# suppress inspection "UnusedProperty" +chat.message.deliveryState.ADDED_TO_MAILBOX=Nachricht im Postfach des Empfängers abgelegt. +# suppress inspection "UnusedProperty" +chat.message.deliveryState.MAILBOX_MSG_RECEIVED=Empfänger hat die Nachricht aus dem Postfach heruntergeladen. +# suppress inspection "UnusedProperty" +chat.message.deliveryState.FAILED=Nachricht senden fehlgeschlagen. +chat.message.resendMessage=Klicken, um die Nachricht erneut zu senden. + +chat.message.contextMenu.ignoreUser=Benutzer ignorieren +chat.message.contextMenu.reportUser=Benutzer an Moderator melden + +chat.message.takeOffer.seller.myReputationScoreTooLow.headline=Deine Reputationsbewertung ist zu niedrig, um dieses Angebot anzunehmen +chat.message.takeOffer.seller.myReputationScoreTooLow.warning=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.message.takeOffer.buyer.makersReputationScoreTooLow.headline=Sicherheitswarnung +chat.message.takeOffer.buyer.makersReputationScoreTooLow.warning=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.takeOffer.buyer.makersReputationScoreTooLow.yes=Ja, ich verstehe das Risiko und möchte fortfahren +chat.message.takeOffer.buyer.makersReputationScoreTooLow.no=Nein, ich suche nach einem anderen Angebot + +chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.headline=Bitte überprüfen Sie die Risiken, wenn Sie dieses Angebot annehmen. +chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.warning=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=Ja, ich verstehe das Risiko und möchte fortfahren +chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.no=Nein, ich suche nach einem anderen Angebot + +chat.message.offer.offerAlreadyTaken.warn=Du hast dieses Angebot bereits angenommen. +chat.message.delete.differentUserProfile.warn=Diese Chatnachricht wurde mit einem anderen Benutzerprofil erstellt.\n\nMöchtest du die Nachricht löschen? +chat.message.send.differentUserProfile.warn=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? +chat.privateChannel.changeUserProfile.warn=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.send.offerOnly.warn=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.message.citation.headline=Antwort auf: +chat.message.reactionPopup=hat reagiert mit +chat.listView.scrollDown=Nach unten scrollen +chat.listView.scrollDown.newMessages=Nach unten scrollen, um neue Nachrichten zu lesen diff --git a/shared/domain/src/commonMain/resources/mobile/chat_es.properties b/shared/domain/src/commonMain/resources/mobile/chat_es.properties new file mode 100644 index 00000000..6e278983 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/chat_es.properties @@ -0,0 +1,247 @@ +#################################################################### +# +# Chat module +# +#################################################################### + +chat.privateChannel.message.leave={0} ha salido del chat + +#################################################################### +# Notifications +#################################################################### + +chat.notifications.privateMessage.headline=Mensaje privado +chat.notifications.offerTaken.title=Tu oferta fue tomada por {0} +chat.notifications.offerTaken.message=ID de la transacción: {0} + +#################################################################### +# Dynamically created from ChatChannelDomain enum name +#################################################################### + +# suppress inspection "UnusedProperty" +chat.channelDomain.BISQ_EASY_OFFERBOOK=Bisq Easy +# suppress inspection "UnusedProperty" +chat.channelDomain.BISQ_EASY_OPEN_TRADES=Compra-venta Bisq Easy +# suppress inspection "UnusedProperty" +chat.channelDomain.BISQ_EASY_PRIVATE_CHAT=Bisq Easy +# suppress inspection "UnusedProperty" +chat.channelDomain.DISCUSSION=Charlas +# suppress inspection "UnusedProperty" +chat.channelDomain.EVENTS=Eventos +# suppress inspection "UnusedProperty" +chat.channelDomain.SUPPORT=Soporte + + +#################################################################### +# Channels +#################################################################### + +## Channel id is used for creating dynamically the key +# suppress inspection "UnusedProperty" +discussion.bisq.title=Charlas +# suppress inspection "UnusedProperty" +discussion.bisq.description=Canal público para charlar +# suppress inspection "UnusedProperty" +discussion.bitcoin.title=Bitcoin +# suppress inspection "UnusedProperty" +discussion.bitcoin.description=Canal para charlar sobre Bitcoin +# suppress inspection "UnusedProperty" +discussion.markets.title=Mercados +# suppress inspection "UnusedProperty" +discussion.markets.description=Canal para charlar sobre mercados y precios +# suppress inspection "UnusedProperty" +discussion.offTopic.title=Fuera de tema +# suppress inspection "UnusedProperty" +discussion.offTopic.description=Canal para charlas fuera de tema + +# suppress inspection "UnusedProperty" +events.conferences.title=Conferencias +# suppress inspection "UnusedProperty" +events.conferences.description=Canal para anuncios de conferencias +# suppress inspection "UnusedProperty" +events.meetups.title=Meetups +# suppress inspection "UnusedProperty" +events.meetups.description=Canal para anuncios de meetups +# suppress inspection "UnusedProperty" +events.podcasts.title=Podcasts +# suppress inspection "UnusedProperty" +events.podcasts.description=Canal para anuncios de podcasts +# suppress inspection "UnusedProperty" +events.tradeEvents.title=Intercambiar +# suppress inspection "UnusedProperty" +events.tradeEvents.description=Canal para anuncios de eventos de intercambio + +# suppress inspection "UnusedProperty" +support.support.title=Soporte +# suppress inspection "UnusedProperty" +support.support.description=Canal para Soporte +# suppress inspection "UnusedProperty" +support.questions.title=Soporte +# suppress inspection "UnusedProperty" +support.questions.description=Canal para soporte en compra-ventas +# suppress inspection "UnusedProperty" +support.reports.title=Denunciar +# suppress inspection "UnusedProperty" +support.reports.description=Canal para informar de fraudes + + +################################################################################ +# +# Desktop module +# +################################################################################ + +chat.leave=Haz click aquí para salir +chat.leave.info=Vas a salir del chat +chat.leave.confirmLeaveChat=Salir del chat +chat.messagebox.noChats.placeholder.title=¡Inicia la conversación! +chat.messagebox.noChats.placeholder.description=Únete a la discusión en {0} para compartir tus ideas y hacer preguntas. +chat.ignoreUser.warn=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. +chat.ignoreUser.confirm=Ignorar usuario + + +###################################################### +# Private chats +###################################################### + +chat.private.title=Chats privados +chat.private.messagebox.noChats.title={0} chats privados +chat.private.messagebox.noChats.placeholder.title=No tienes conversaciones en curso +chat.private.messagebox.noChats.placeholder.description=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.private.openChatsList.headline=Usuarios del chat +chat.private.leaveChat.confirmation=¿Estás seguro de que quieres abandonar este chat?\nPerderás acceso al chat y toda la información del chat. + + +###################################################### +# Top menu +###################################################### + +chat.topMenu.tradeGuide.tooltip=Abrir guía de compra-venta +chat.topMenu.chatRules.tooltip=Abrir reglas del chat + + +###################################################### +# Chat menus +###################################################### + +chat.ellipsisMenu.tooltip=Más opciones +chat.ellipsisMenu.chatRules=Reglas de chat +chat.ellipsisMenu.channelInfo=Información del canal +chat.ellipsisMenu.tradeGuide=Guía de compra-venta + +chat.notificationsSettingsMenu.title=Opciones de notificación: +chat.notificationsSettingsMenu.tooltip=Opciones de notificación +chat.notificationsSettingsMenu.globalDefault=Notificaciones por defecto +chat.notificationsSettingsMenu.all=Todos los mensajes +chat.notificationsSettingsMenu.mention=Si me mencionan +chat.notificationsSettingsMenu.off=Ninguna + + +###################################################### +# Chat rules +###################################################### + +chat.chatRules.headline=Reglas del chat +chat.chatRules.content=- 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. + + +#################################################################### +# Sidebar / user profile +#################################################################### + +chat.sideBar.userProfile.headline=Perfil de usuario +chat.sideBar.userProfile.nym=ID del bot +chat.sideBar.userProfile.id=ID de usuario +chat.sideBar.userProfile.transportAddress=Dirección de transporte +chat.sideBar.userProfile.totalReputationScore=Puntuación total de reputación +chat.sideBar.userProfile.profileAge=Antigüedad del perfil +chat.sideBar.userProfile.livenessState=Última actividad del usuario +chat.sideBar.userProfile.version=Versión +chat.sideBar.userProfile.statement=Declaración +chat.sideBar.userProfile.terms=Términos de compra-venta +chat.sideBar.userProfile.sendPrivateMessage=Enviar mensaje privado +chat.sideBar.userProfile.mention=Mencionar +chat.sideBar.userProfile.ignore=Ignorar +chat.sideBar.userProfile.undoIgnore=Dejar de ignorar +chat.sideBar.userProfile.report=Informar al moderador + + +#################################################################### +# Sidebar / channel info +#################################################################### + +chat.sideBar.channelInfo.notification.options=Opciones de notificación +chat.sideBar.channelInfo.notifications.globalDefault=Notificaciones por defecto +chat.sideBar.channelInfo.notifications.all=Todos los mensajes +chat.sideBar.channelInfo.notifications.mention=Si se menciona +chat.sideBar.channelInfo.notifications.off=Ninguna +chat.sideBar.channelInfo.participants=Participantes + + +#################################################################### +# Report to moderator window +#################################################################### + +chat.reportToModerator.headline=Denunciar al moderador +chat.reportToModerator.info=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.reportToModerator.message=Mensaje al moderador +chat.reportToModerator.message.prompt=Introducir el mensaje al moderador +chat.reportToModerator.report=Denunciar al moderador + + +#################################################################### +# Chat message display +#################################################################### + +chat.message.input.prompt=Escribe un nuevo mensaje +chat.message.input.send=Enviar mensaje +chat.message.wasEdited=(editado) +chat.message.privateMessage=Enviar mensaje privado +chat.message.reply=Responder +chat.message.moreOptions=Más opciones +chat.message.supportedLanguages=Idiomas admitidos: +chat.message.supportedLanguages.Tooltip=Idiomas admitidos + +# suppress inspection "UnusedProperty" +chat.message.deliveryState.CONNECTING=Conectando con usuario +# suppress inspection "UnusedProperty" +chat.message.deliveryState.SENT=Mensaje enviado (sin confirmación de recepción). +# suppress inspection "UnusedProperty" +chat.message.deliveryState.ACK_RECEIVED=Recepción confirmada +# suppress inspection "UnusedProperty" +chat.message.deliveryState.TRY_ADD_TO_MAILBOX=Intentando dejar mensaje en el buzón del usuario +# suppress inspection "UnusedProperty" +chat.message.deliveryState.ADDED_TO_MAILBOX=Mensaje entregado al buzón del usuario +# suppress inspection "UnusedProperty" +chat.message.deliveryState.MAILBOX_MSG_RECEIVED=El usuario ha descargado el mensaje de su buzón +# suppress inspection "UnusedProperty" +chat.message.deliveryState.FAILED=Error al enviar el mensaje +chat.message.resendMessage=Haz click para reenviar el mensaje. + +chat.message.contextMenu.ignoreUser=Ignorar usuario +chat.message.contextMenu.reportUser=Denunciar sobre el usuario al moderador + +chat.message.takeOffer.seller.myReputationScoreTooLow.headline=Tu Puntuación de Reputación es demasiado baja para aceptar esa oferta +chat.message.takeOffer.seller.myReputationScoreTooLow.warning=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.message.takeOffer.buyer.makersReputationScoreTooLow.headline=Advertencia de seguridad +chat.message.takeOffer.buyer.makersReputationScoreTooLow.warning=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.takeOffer.buyer.makersReputationScoreTooLow.yes=Sí, entiendo el riesgo y quiero continuar +chat.message.takeOffer.buyer.makersReputationScoreTooLow.no=No, busco otra oferta + +chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.headline=Por favor, revisa los riesgos al aceptar esa oferta +chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.warning=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=Sí, entiendo el riesgo y quiero continuar +chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.no=No, busco otra oferta + +chat.message.offer.offerAlreadyTaken.warn=Ya has tomado esa oferta. +chat.message.delete.differentUserProfile.warn=Este mensaje de chat fue creado con otro perfil de usuario.\n\n¿Quieres eliminar el mensaje? +chat.message.send.differentUserProfile.warn=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? +chat.privateChannel.changeUserProfile.warn=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.send.offerOnly.warn=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.message.citation.headline=Respondiendo a: +chat.message.reactionPopup=reaccionó con +chat.listView.scrollDown=Bajar +chat.listView.scrollDown.newMessages=Bajar para leer nuevos mensajes diff --git a/shared/domain/src/commonMain/resources/mobile/chat_it.properties b/shared/domain/src/commonMain/resources/mobile/chat_it.properties new file mode 100644 index 00000000..87dc4574 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/chat_it.properties @@ -0,0 +1,247 @@ +#################################################################### +# +# Chat module +# +#################################################################### + +chat.privateChannel.message.leave={0} ha lasciato la chat + +#################################################################### +# Notifications +#################################################################### + +chat.notifications.privateMessage.headline=Messaggio privato +chat.notifications.offerTaken.title=La tua offerta è stata presa da {0} +chat.notifications.offerTaken.message=ID della transazione: {0} + +#################################################################### +# Dynamically created from ChatChannelDomain enum name +#################################################################### + +# suppress inspection "UnusedProperty" +chat.channelDomain.BISQ_EASY_OFFERBOOK=Bisq Easy +# suppress inspection "UnusedProperty" +chat.channelDomain.BISQ_EASY_OPEN_TRADES=Negoziazione Bisq Easy +# suppress inspection "UnusedProperty" +chat.channelDomain.BISQ_EASY_PRIVATE_CHAT=Bisq Easy +# suppress inspection "UnusedProperty" +chat.channelDomain.DISCUSSION=Discussioni +# suppress inspection "UnusedProperty" +chat.channelDomain.EVENTS=Eventi +# suppress inspection "UnusedProperty" +chat.channelDomain.SUPPORT=Supporto + + +#################################################################### +# Channels +#################################################################### + +## Channel id is used for creating dynamically the key +# suppress inspection "UnusedProperty" +discussion.bisq.title=Discussioni +# suppress inspection "UnusedProperty" +discussion.bisq.description=Canale pubblico per discussioni +# suppress inspection "UnusedProperty" +discussion.bitcoin.title=Bitcoin +# suppress inspection "UnusedProperty" +discussion.bitcoin.description=Canale per discussioni su Bitcoin +# suppress inspection "UnusedProperty" +discussion.markets.title=Mercati +# suppress inspection "UnusedProperty" +discussion.markets.description=Canale per discussioni sui mercati e i prezzi +# suppress inspection "UnusedProperty" +discussion.offTopic.title=Fuori tema +# suppress inspection "UnusedProperty" +discussion.offTopic.description=Canale per conversazioni fuori tema + +# suppress inspection "UnusedProperty" +events.conferences.title=Conferenze +# suppress inspection "UnusedProperty" +events.conferences.description=Canale per annunci riguardanti conferenze +# suppress inspection "UnusedProperty" +events.meetups.title=Incontri +# suppress inspection "UnusedProperty" +events.meetups.description=Canale per annunci riguardanti incontri +# suppress inspection "UnusedProperty" +events.podcasts.title=Podcast +# suppress inspection "UnusedProperty" +events.podcasts.description=Canale per annunci riguardanti podcast +# suppress inspection "UnusedProperty" +events.tradeEvents.title=Eventi di Trading +# suppress inspection "UnusedProperty" +events.tradeEvents.description=Canale per annunci riguardanti eventi di trading + +# suppress inspection "UnusedProperty" +support.support.title=Assistenza +# suppress inspection "UnusedProperty" +support.support.description=Canale per il supporto +# suppress inspection "UnusedProperty" +support.questions.title=Domande +# suppress inspection "UnusedProperty" +support.questions.description=Canale per domande generali +# suppress inspection "UnusedProperty" +support.reports.title=Segnalazione frodi +# suppress inspection "UnusedProperty" +support.reports.description=Canale per segnalazioni di frodi + + +################################################################################ +# +# Desktop module +# +################################################################################ + +chat.leave=Clicca qui per lasciare +chat.leave.info=Stai per lasciare questa chat. +chat.leave.confirmLeaveChat=Lascia la chat +chat.messagebox.noChats.placeholder.title=Inizia la conversazione! +chat.messagebox.noChats.placeholder.description=Unisciti alla discussione su {0} per condividere i tuoi pensieri e fare domande. +chat.ignoreUser.warn=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. +chat.ignoreUser.confirm=Ignora utente + + +###################################################### +# Private chats +###################################################### + +chat.private.title=Chat private +chat.private.messagebox.noChats.title={0} chat private +chat.private.messagebox.noChats.placeholder.title=Non hai conversazioni in corso +chat.private.messagebox.noChats.placeholder.description=Per chattare privatamente con un pari, passa il mouse sopra il loro messaggio in una\nchat pubblica e clicca su 'Invia messaggio privato'. +chat.private.openChatsList.headline=Contatti chat +chat.private.leaveChat.confirmation=Sei sicuro di voler lasciare questa chat?\nPerderai l'accesso alla chat e tutte le informazioni sulla chat. + + +###################################################### +# Top menu +###################################################### + +chat.topMenu.tradeGuide.tooltip=Apri la guida al commercio +chat.topMenu.chatRules.tooltip=Apri le regole della chat + + +###################################################### +# Chat menus +###################################################### + +chat.ellipsisMenu.tooltip=Altre opzioni +chat.ellipsisMenu.chatRules=Regole della chat +chat.ellipsisMenu.channelInfo=Informazioni sul canale +chat.ellipsisMenu.tradeGuide=Guida allo scambio + +chat.notificationsSettingsMenu.title=Opzioni di notifica: +chat.notificationsSettingsMenu.tooltip=Opzioni di notifica +chat.notificationsSettingsMenu.globalDefault=Usa predefinito +chat.notificationsSettingsMenu.all=Tutti i messaggi +chat.notificationsSettingsMenu.mention=Se menzionato +chat.notificationsSettingsMenu.off=Disattivato + + +###################################################### +# Chat rules +###################################################### + +chat.chatRules.headline=Regole della chat +chat.chatRules.content=- 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. + + +#################################################################### +# Sidebar / user profile +#################################################################### + +chat.sideBar.userProfile.headline=Profilo utente +chat.sideBar.userProfile.nym=ID del Bot +chat.sideBar.userProfile.id=ID Utente +chat.sideBar.userProfile.transportAddress=Indirizzo di Trasporto +chat.sideBar.userProfile.totalReputationScore=Punteggio totale della reputazione +chat.sideBar.userProfile.profileAge=Età del profilo +chat.sideBar.userProfile.livenessState=Ultima attività dell'utente +chat.sideBar.userProfile.version=Versione +chat.sideBar.userProfile.statement=Dichiarazione +chat.sideBar.userProfile.terms=Termini di scambio +chat.sideBar.userProfile.sendPrivateMessage=Invia messaggio privato +chat.sideBar.userProfile.mention=Menziona +chat.sideBar.userProfile.ignore=Ignora +chat.sideBar.userProfile.undoIgnore=Annulla ignorazione +chat.sideBar.userProfile.report=Segnala al moderatore + + +#################################################################### +# Sidebar / channel info +#################################################################### + +chat.sideBar.channelInfo.notification.options=Opzioni di notifica +chat.sideBar.channelInfo.notifications.globalDefault=Usa predefinito +chat.sideBar.channelInfo.notifications.all=Tutti i messaggi +chat.sideBar.channelInfo.notifications.mention=Se menzionato +chat.sideBar.channelInfo.notifications.off=Spento +chat.sideBar.channelInfo.participants=Partecipanti + + +#################################################################### +# Report to moderator window +#################################################################### + +chat.reportToModerator.headline=Segnala al moderatore +chat.reportToModerator.info=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.reportToModerator.message=Messaggio al moderatore +chat.reportToModerator.message.prompt=Inserisci il messaggio al moderatore +chat.reportToModerator.report=Segnala al moderatore + + +#################################################################### +# Chat message display +#################################################################### + +chat.message.input.prompt=Scrivi un nuovo messaggio +chat.message.input.send=Invia messaggio +chat.message.wasEdited=(modificato) +chat.message.privateMessage=Invia messaggio privato +chat.message.reply=Rispondi +chat.message.moreOptions=Altre opzioni +chat.message.supportedLanguages=Lingue supportate: +chat.message.supportedLanguages.Tooltip=Lingue supportate + +# suppress inspection "UnusedProperty" +chat.message.deliveryState.CONNECTING=Connessione al peer +# suppress inspection "UnusedProperty" +chat.message.deliveryState.SENT=Messaggio inviato (ricevuta non ancora confermata). +# suppress inspection "UnusedProperty" +chat.message.deliveryState.ACK_RECEIVED=Ricezione del messaggio confermata +# suppress inspection "UnusedProperty" +chat.message.deliveryState.TRY_ADD_TO_MAILBOX=Prova ad aggiungere il messaggio alla casella di posta del peer +# suppress inspection "UnusedProperty" +chat.message.deliveryState.ADDED_TO_MAILBOX=Messaggio aggiunto alla casella postale del destinatario +# suppress inspection "UnusedProperty" +chat.message.deliveryState.MAILBOX_MSG_RECEIVED=Messaggio della casella postale ricevuto dal destinatario +# suppress inspection "UnusedProperty" +chat.message.deliveryState.FAILED=Invio del messaggio non riuscito. +chat.message.resendMessage=Clicca per inviare nuovamente il messaggio. + +chat.message.contextMenu.ignoreUser=Ignora utente +chat.message.contextMenu.reportUser=Segnala utente al moderatore + +chat.message.takeOffer.seller.myReputationScoreTooLow.headline=Il tuo Punteggio di Reputazione è troppo basso per accettare quell'offerta +chat.message.takeOffer.seller.myReputationScoreTooLow.warning=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.message.takeOffer.buyer.makersReputationScoreTooLow.headline=Avviso di sicurezza +chat.message.takeOffer.buyer.makersReputationScoreTooLow.warning=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.takeOffer.buyer.makersReputationScoreTooLow.yes=Sì, capisco il rischio e voglio continuare +chat.message.takeOffer.buyer.makersReputationScoreTooLow.no=No, cerco un'altra offerta + +chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.headline=Si prega di rivedere i rischi quando si accetta quell'offerta +chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.warning=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=Sì, capisco il rischio e voglio continuare +chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.no=No, cerco un'altra offerta + +chat.message.offer.offerAlreadyTaken.warn=Hai già preso quell'offerta. +chat.message.delete.differentUserProfile.warn=Questo messaggio di chat è stato creato con un altro profilo utente.\n\nVuoi eliminare il messaggio? +chat.message.send.differentUserProfile.warn=Hai utilizzato un altro profilo utente in quella chat.\n\nSei sicuro di voler inviare quel messaggio con il profilo utente attualmente selezionato? +chat.privateChannel.changeUserProfile.warn=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.send.offerOnly.warn=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.message.citation.headline=Rispondendo a: +chat.message.reactionPopup=ha reagito con +chat.listView.scrollDown=Scorri verso il basso +chat.listView.scrollDown.newMessages=Scorri verso il basso per leggere i nuovi messaggi diff --git a/shared/domain/src/commonMain/resources/mobile/chat_pcm.properties b/shared/domain/src/commonMain/resources/mobile/chat_pcm.properties new file mode 100644 index 00000000..492e9ed3 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/chat_pcm.properties @@ -0,0 +1,247 @@ +#################################################################### +# +# Chat module +# +#################################################################### + +chat.privateChannel.message.leave={0} don waka comot for dat chat + +#################################################################### +# Notifications +#################################################################### + +chat.notifications.privateMessage.headline=Privet mesaj +chat.notifications.offerTaken.title={0} don take your offer +chat.notifications.offerTaken.message=ID Transakshon: {0} + +#################################################################### +# Dynamically created from ChatChannelDomain enum name +#################################################################### + +# suppress inspection "UnusedProperty" +chat.channelDomain.BISQ_EASY_OFFERBOOK=Bisq Easy +# suppress inspection "UnusedProperty" +chat.channelDomain.BISQ_EASY_OPEN_TRADES=Bisq Easy trad +# suppress inspection "UnusedProperty" +chat.channelDomain.BISQ_EASY_PRIVATE_CHAT=Bisq Easy +# suppress inspection "UnusedProperty" +chat.channelDomain.DISCUSSION=Diskoshon +# suppress inspection "UnusedProperty" +chat.channelDomain.EVENTS=Ivent +# suppress inspection "UnusedProperty" +chat.channelDomain.SUPPORT=Support + + +#################################################################### +# Channels +#################################################################### + +## Channel id is used for creating dynamically the key +# suppress inspection "UnusedProperty" +discussion.bisq.title=Diskashon +# suppress inspection "UnusedProperty" +discussion.bisq.description=Pablik chanel for diskashon +# suppress inspection "UnusedProperty" +discussion.bitcoin.title=Bitcoin +# suppress inspection "UnusedProperty" +discussion.bitcoin.description=Chanel for diskushon about Bitcoin +# suppress inspection "UnusedProperty" +discussion.markets.title=Markit +# suppress inspection "UnusedProperty" +discussion.markets.description=Chanel wey people dey discuss about markets and price +# suppress inspection "UnusedProperty" +discussion.offTopic.title=No be di topic +# suppress inspection "UnusedProperty" +discussion.offTopic.description=Chanel for off-topic waka + +# suppress inspection "UnusedProperty" +events.conferences.title=Konferens +# suppress inspection "UnusedProperty" +events.conferences.description=Channel for anunsment for konferens +# suppress inspection "UnusedProperty" +events.meetups.title=Meetups +# suppress inspection "UnusedProperty" +events.meetups.description=Chanel for anonsments for meetups +# suppress inspection "UnusedProperty" +events.podcasts.title=Podkast +# suppress inspection "UnusedProperty" +events.podcasts.description=Channel for anons for podcasts +# suppress inspection "UnusedProperty" +events.tradeEvents.title=Trayd +# suppress inspection "UnusedProperty" +events.tradeEvents.description=Channel for anons for trady events + +# suppress inspection "UnusedProperty" +support.support.title=Assitens +# suppress inspection "UnusedProperty" +support.support.description=Chanel for support queshon +# suppress inspection "UnusedProperty" +support.questions.title=Assitens +# suppress inspection "UnusedProperty" +support.questions.description=Kana for transakshon assistans +# suppress inspection "UnusedProperty" +support.reports.title=Ripo +# suppress inspection "UnusedProperty" +support.reports.description=Channel for insidens and fraud report + + +################################################################################ +# +# Desktop module +# +################################################################################ + +chat.leave=Click here to waka comot +chat.leave.info=You dey about to leave dis chat. +chat.leave.confirmLeaveChat=Lef chat +chat.messagebox.noChats.placeholder.title=Start di conversation! +chat.messagebox.noChats.placeholder.description=Join di discussion for {0} to share your thoughts and ask questions. +chat.ignoreUser.warn=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. +chat.ignoreUser.confirm=Ignór Usúr + + +###################################################### +# Private chats +###################################################### + +chat.private.title=Privet chats +chat.private.messagebox.noChats.title={0} privet chats +chat.private.messagebox.noChats.placeholder.title=You no get any ongoing conversations +chat.private.messagebox.noChats.placeholder.description=To chat with person privately, hover over their message for public chat and click 'Send private message'. +chat.private.openChatsList.headline=Chat pias +chat.private.leaveChat.confirmation=You sure say you wan leave dis chat?\nYou go lose access to the chat and all the chat information. + + +###################################################### +# Top menu +###################################################### + +chat.topMenu.tradeGuide.tooltip=Open Trayd Gaid +chat.topMenu.chatRules.tooltip=Open chat ruls + + +###################################################### +# Chat menus +###################################################### + +chat.ellipsisMenu.tooltip=More opsi +chat.ellipsisMenu.chatRules=Chat ruls +chat.ellipsisMenu.channelInfo=Info for Channel +chat.ellipsisMenu.tradeGuide=Trayd Gaid + +chat.notificationsSettingsMenu.title=Notifikeshen opsi: +chat.notificationsSettingsMenu.tooltip=Notification Options +chat.notificationsSettingsMenu.globalDefault=Us default +chat.notificationsSettingsMenu.all=All mesaj +chat.notificationsSettingsMenu.mention=If Dem Mention You +chat.notificationsSettingsMenu.off=Off + + +###################################################### +# Chat rules +###################################################### + +chat.chatRules.headline=Chat ruls +chat.chatRules.content=- 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. + + +#################################################################### +# Sidebar / user profile +#################################################################### + +chat.sideBar.userProfile.headline=Profil for User +chat.sideBar.userProfile.nym=Bot ID +chat.sideBar.userProfile.id=User ID +chat.sideBar.userProfile.transportAddress=Transport adres +chat.sideBar.userProfile.totalReputationScore=Total Reputashin Skor +chat.sideBar.userProfile.profileAge=Profil age +chat.sideBar.userProfile.livenessState=Last pipo activity +chat.sideBar.userProfile.version=Vershon +chat.sideBar.userProfile.statement=Statemnt +chat.sideBar.userProfile.terms=Trayd tams +chat.sideBar.userProfile.sendPrivateMessage=Send private message +chat.sideBar.userProfile.mention=Menshon +chat.sideBar.userProfile.ignore=Igno +chat.sideBar.userProfile.undoIgnore=Undo ignore +chat.sideBar.userProfile.report=Report to Moderator + + +#################################################################### +# Sidebar / channel info +#################################################################### + +chat.sideBar.channelInfo.notification.options=Notifikeshon opsi +chat.sideBar.channelInfo.notifications.globalDefault=Us default +chat.sideBar.channelInfo.notifications.all=All mesaj +chat.sideBar.channelInfo.notifications.mention=If dem mention +chat.sideBar.channelInfo.notifications.off=Off +chat.sideBar.channelInfo.participants=Partisipants + + +#################################################################### +# Report to moderator window +#################################################################### + +chat.reportToModerator.headline=Report to Moderator +chat.reportToModerator.info=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.reportToModerator.message=Mesej to moderator +chat.reportToModerator.message.prompt=Enter message for moderator +chat.reportToModerator.report=Report to Moderator + + +#################################################################### +# Chat message display +#################################################################### + +chat.message.input.prompt=Type new message +chat.message.input.send=Send messij +chat.message.wasEdited=(edit don happen) +chat.message.privateMessage=Send private message +chat.message.reply=Replai +chat.message.moreOptions=More opsi +chat.message.supportedLanguages=Langwej wey dem dey support: +chat.message.supportedLanguages.Tooltip=Langwej wey dem dey support + +# suppress inspection "UnusedProperty" +chat.message.deliveryState.CONNECTING=Connecting to peer +# suppress inspection "UnusedProperty" +chat.message.deliveryState.SENT=Message sent (receipt not confirmed yet) +# suppress inspection "UnusedProperty" +chat.message.deliveryState.ACK_RECEIVED=Message receipt acknowledged +# suppress inspection "UnusedProperty" +chat.message.deliveryState.TRY_ADD_TO_MAILBOX=Try to add message to peer's mailbox +# suppress inspection "UnusedProperty" +chat.message.deliveryState.ADDED_TO_MAILBOX=Message added to peer's mailbox +# suppress inspection "UnusedProperty" +chat.message.deliveryState.MAILBOX_MSG_RECEIVED=Peer don download mailbox message +# suppress inspection "UnusedProperty" +chat.message.deliveryState.FAILED=Send message no work. +chat.message.resendMessage=Click to Send the message. + +chat.message.contextMenu.ignoreUser=Ignoer pipo +chat.message.contextMenu.reportUser=Report user to Moderator + +chat.message.takeOffer.seller.myReputationScoreTooLow.headline=Your Reputashin Skor dey too low to take that offer +chat.message.takeOffer.seller.myReputationScoreTooLow.warning=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.message.takeOffer.buyer.makersReputationScoreTooLow.headline=Sekuriti warning +chat.message.takeOffer.buyer.makersReputationScoreTooLow.warning=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.takeOffer.buyer.makersReputationScoreTooLow.yes=Yes, I sabi di risk and I wan continue +chat.message.takeOffer.buyer.makersReputationScoreTooLow.no=No, I go look for anoda offer + +chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.headline=Abeg, check di risks wen you dey take dat offer +chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.warning=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=Yes, I sabi di risk and wan continue +chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.no=No, I dey find anoda offer + +chat.message.offer.offerAlreadyTaken.warn=You don already take that offer. +chat.message.delete.differentUserProfile.warn=Dis chat message na from another user profile.\n\nYou wan delete the message? +chat.message.send.differentUserProfile.warn=You don use another user profile for that channel.\n\nYou sure say you wan send that message with the currently selected user profile? +chat.privateChannel.changeUserProfile.warn=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.send.offerOnly.warn=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.message.citation.headline=Replai to: +chat.message.reactionPopup=react with +chat.listView.scrollDown=Scroll down +chat.listView.scrollDown.newMessages=Scroll down make you read new messages diff --git a/shared/domain/src/commonMain/resources/mobile/chat_pt_BR.properties b/shared/domain/src/commonMain/resources/mobile/chat_pt_BR.properties new file mode 100644 index 00000000..5d190620 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/chat_pt_BR.properties @@ -0,0 +1,247 @@ +#################################################################### +# +# Chat module +# +#################################################################### + +chat.privateChannel.message.leave={0} saiu desse chat + +#################################################################### +# Notifications +#################################################################### + +chat.notifications.privateMessage.headline=Mensagem privada +chat.notifications.offerTaken.title=Sua oferta foi aceita por {0} +chat.notifications.offerTaken.message=ID da Negociação: {0} + +#################################################################### +# Dynamically created from ChatChannelDomain enum name +#################################################################### + +# suppress inspection "UnusedProperty" +chat.channelDomain.BISQ_EASY_OFFERBOOK=Bisq Easy +# suppress inspection "UnusedProperty" +chat.channelDomain.BISQ_EASY_OPEN_TRADES=Negociação Bisq Easy +# suppress inspection "UnusedProperty" +chat.channelDomain.BISQ_EASY_PRIVATE_CHAT=Bisq Easy +# suppress inspection "UnusedProperty" +chat.channelDomain.DISCUSSION=Discussões +# suppress inspection "UnusedProperty" +chat.channelDomain.EVENTS=Eventos +# suppress inspection "UnusedProperty" +chat.channelDomain.SUPPORT=Suporte + + +#################################################################### +# Channels +#################################################################### + +## Channel id is used for creating dynamically the key +# suppress inspection "UnusedProperty" +discussion.bisq.title=Discussões +# suppress inspection "UnusedProperty" +discussion.bisq.description=Canal público para discussões +# suppress inspection "UnusedProperty" +discussion.bitcoin.title=Bitcoin +# suppress inspection "UnusedProperty" +discussion.bitcoin.description=Canal para discussões sobre Bitcoin +# suppress inspection "UnusedProperty" +discussion.markets.title=Mercados +# suppress inspection "UnusedProperty" +discussion.markets.description=Canal para discussões sobre mercados e preços +# suppress inspection "UnusedProperty" +discussion.offTopic.title=Fora do tópico +# suppress inspection "UnusedProperty" +discussion.offTopic.description=Canal para conversas fora do tópico + +# suppress inspection "UnusedProperty" +events.conferences.title=Conferências +# suppress inspection "UnusedProperty" +events.conferences.description=Canal para anúncios de conferências +# suppress inspection "UnusedProperty" +events.meetups.title=Encontros +# suppress inspection "UnusedProperty" +events.meetups.description=Canal para anúncios de encontros +# suppress inspection "UnusedProperty" +events.podcasts.title=Podcasts +# suppress inspection "UnusedProperty" +events.podcasts.description=Canal para anúncios de podcasts +# suppress inspection "UnusedProperty" +events.tradeEvents.title=Comércio +# suppress inspection "UnusedProperty" +events.tradeEvents.description=Canal para anúncios de eventos de comércio + +# suppress inspection "UnusedProperty" +support.support.title=Assistência +# suppress inspection "UnusedProperty" +support.support.description=Canal para Suporte +# suppress inspection "UnusedProperty" +support.questions.title=Perguntas +# suppress inspection "UnusedProperty" +support.questions.description=Canal para perguntas gerais +# suppress inspection "UnusedProperty" +support.reports.title=Relatório de fraude +# suppress inspection "UnusedProperty" +support.reports.description=Canal para relatórios de fraude + + +################################################################################ +# +# Desktop module +# +################################################################################ + +chat.leave=Clique aqui para sair +chat.leave.info=Você está prestes a sair deste chat. +chat.leave.confirmLeaveChat=Sair do chat +chat.messagebox.noChats.placeholder.title=Inicie a conversa! +chat.messagebox.noChats.placeholder.description=Junte-se à discussão em {0} para compartilhar seus pensamentos e fazer perguntas. +chat.ignoreUser.warn=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. +chat.ignoreUser.confirm=Ignorar usuário + + +###################################################### +# Private chats +###################################################### + +chat.private.title=Chats privados +chat.private.messagebox.noChats.title={0} conversas privadas +chat.private.messagebox.noChats.placeholder.title=Você não tem conversas em andamento +chat.private.messagebox.noChats.placeholder.description=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.private.openChatsList.headline=Contatos de chat +chat.private.leaveChat.confirmation=Tem certeza de que deseja sair deste chat?\nVocê perderá o acesso ao chat e todas as informações do chat. + + +###################################################### +# Top menu +###################################################### + +chat.topMenu.tradeGuide.tooltip=Abrir guia de negociação +chat.topMenu.chatRules.tooltip=Abrir regras do chat + + +###################################################### +# Chat menus +###################################################### + +chat.ellipsisMenu.tooltip=Mais opções +chat.ellipsisMenu.chatRules=Regras do chat +chat.ellipsisMenu.channelInfo=Informações do canal +chat.ellipsisMenu.tradeGuide=Guia de negociação + +chat.notificationsSettingsMenu.title=Opções de notificação: +chat.notificationsSettingsMenu.tooltip=Opções de Notificação +chat.notificationsSettingsMenu.globalDefault=Usar padrão +chat.notificationsSettingsMenu.all=Todas as mensagens +chat.notificationsSettingsMenu.mention=Se mencionado +chat.notificationsSettingsMenu.off=Desligado + + +###################################################### +# Chat rules +###################################################### + +chat.chatRules.headline=Regras do Chat +chat.chatRules.content=- 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. + + +#################################################################### +# Sidebar / user profile +#################################################################### + +chat.sideBar.userProfile.headline=Perfil do usuário +chat.sideBar.userProfile.nym=ID do Bot +chat.sideBar.userProfile.id=ID do Usuário +chat.sideBar.userProfile.transportAddress=Endereço de Transporte +chat.sideBar.userProfile.totalReputationScore=Pontuação total de reputação +chat.sideBar.userProfile.profileAge=Idade do perfil +chat.sideBar.userProfile.livenessState=Última atividade do usuário +chat.sideBar.userProfile.version=Versão +chat.sideBar.userProfile.statement=Declaração +chat.sideBar.userProfile.terms=Termos de negociação +chat.sideBar.userProfile.sendPrivateMessage=Enviar mensagem privada +chat.sideBar.userProfile.mention=Mencionar +chat.sideBar.userProfile.ignore=Ignorar +chat.sideBar.userProfile.undoIgnore=Desfazer ignorar +chat.sideBar.userProfile.report=Reportar ao moderador + + +#################################################################### +# Sidebar / channel info +#################################################################### + +chat.sideBar.channelInfo.notification.options=Opções de notificação +chat.sideBar.channelInfo.notifications.globalDefault=Usar padrão +chat.sideBar.channelInfo.notifications.all=Todas as mensagens +chat.sideBar.channelInfo.notifications.mention=Se mencionado +chat.sideBar.channelInfo.notifications.off=Desligado +chat.sideBar.channelInfo.participants=Participantes + + +#################################################################### +# Report to moderator window +#################################################################### + +chat.reportToModerator.headline=Reportar ao moderador +chat.reportToModerator.info=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.reportToModerator.message=Mensagem para o moderador +chat.reportToModerator.message.prompt=Insira mensagem para o moderador +chat.reportToModerator.report=Reportar ao moderador + + +#################################################################### +# Chat message display +#################################################################### + +chat.message.input.prompt=Digite uma nova mensagem +chat.message.input.send=Enviar mensagem +chat.message.wasEdited=(editado) +chat.message.privateMessage=Enviar mensagem privada +chat.message.reply=Responder +chat.message.moreOptions=Mais opções +chat.message.supportedLanguages=Idiomas suportados: +chat.message.supportedLanguages.Tooltip=Idiomas suportados + +# suppress inspection "UnusedProperty" +chat.message.deliveryState.CONNECTING=Conectando ao par +# suppress inspection "UnusedProperty" +chat.message.deliveryState.SENT=Mensagem enviada (recebimento não confirmado ainda) +# suppress inspection "UnusedProperty" +chat.message.deliveryState.ACK_RECEIVED=Recebimento da mensagem reconhecido +# suppress inspection "UnusedProperty" +chat.message.deliveryState.TRY_ADD_TO_MAILBOX=Tentando adicionar mensagem à caixa de entrada do par. +# suppress inspection "UnusedProperty" +chat.message.deliveryState.ADDED_TO_MAILBOX=Mensagem adicionada à caixa de correio do par +# suppress inspection "UnusedProperty" +chat.message.deliveryState.MAILBOX_MSG_RECEIVED=Par baixou mensagem da caixa de correio +# suppress inspection "UnusedProperty" +chat.message.deliveryState.FAILED=Envio da mensagem falhou. +chat.message.resendMessage=Clique para reenviar a mensagem. + +chat.message.contextMenu.ignoreUser=Ignorar usuário +chat.message.contextMenu.reportUser=Reportar usuário ao moderador + +chat.message.takeOffer.seller.myReputationScoreTooLow.headline=Sua Pontuação de Reputação é muito baixa para aceitar essa oferta +chat.message.takeOffer.seller.myReputationScoreTooLow.warning=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.message.takeOffer.buyer.makersReputationScoreTooLow.headline=Aviso de segurança +chat.message.takeOffer.buyer.makersReputationScoreTooLow.warning=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.takeOffer.buyer.makersReputationScoreTooLow.yes=Sim, eu entendo o risco e quero continuar +chat.message.takeOffer.buyer.makersReputationScoreTooLow.no=Não, procuro outra oferta + +chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.headline=Por favor, revise os riscos ao aceitar essa oferta +chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.warning=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=Sim, eu entendo o risco e quero continuar +chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.no=Não, estou procurando outra oferta + +chat.message.offer.offerAlreadyTaken.warn=Você já aceitou essa oferta. +chat.message.delete.differentUserProfile.warn=Esta mensagem de chat foi criada com outro perfil de usuário.\n\nDeseja excluir a mensagem? +chat.message.send.differentUserProfile.warn=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? +chat.privateChannel.changeUserProfile.warn=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.send.offerOnly.warn=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.message.citation.headline=Respondendo a: +chat.message.reactionPopup=reagiu com +chat.listView.scrollDown=Rolar para baixo +chat.listView.scrollDown.newMessages=Rolar para baixo para ler novas mensagens diff --git a/shared/domain/src/commonMain/resources/mobile/chat_ru.properties b/shared/domain/src/commonMain/resources/mobile/chat_ru.properties new file mode 100644 index 00000000..df13b294 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/chat_ru.properties @@ -0,0 +1,247 @@ +#################################################################### +# +# Chat module +# +#################################################################### + +chat.privateChannel.message.leave={0} покинул этот чат + +#################################################################### +# Notifications +#################################################################### + +chat.notifications.privateMessage.headline=Личное сообщение +chat.notifications.offerTaken.title=Ваше предложение было принято {0} +chat.notifications.offerTaken.message=Торговый идентификатор: {0} + +#################################################################### +# Dynamically created from ChatChannelDomain enum name +#################################################################### + +# suppress inspection "UnusedProperty" +chat.channelDomain.BISQ_EASY_OFFERBOOK=Bisq Легко +# suppress inspection "UnusedProperty" +chat.channelDomain.BISQ_EASY_OPEN_TRADES=Bisq Легкая торговля +# suppress inspection "UnusedProperty" +chat.channelDomain.BISQ_EASY_PRIVATE_CHAT=Bisq Легко +# suppress inspection "UnusedProperty" +chat.channelDomain.DISCUSSION=Обсуждения +# suppress inspection "UnusedProperty" +chat.channelDomain.EVENTS=События +# suppress inspection "UnusedProperty" +chat.channelDomain.SUPPORT=Поддержка + + +#################################################################### +# Channels +#################################################################### + +## Channel id is used for creating dynamically the key +# suppress inspection "UnusedProperty" +discussion.bisq.title=Обсуждения +# suppress inspection "UnusedProperty" +discussion.bisq.description=Публичный канал для обсуждений +# suppress inspection "UnusedProperty" +discussion.bitcoin.title=Биткойн +# suppress inspection "UnusedProperty" +discussion.bitcoin.description=Канал для обсуждения биткойна +# suppress inspection "UnusedProperty" +discussion.markets.title=Рынки +# suppress inspection "UnusedProperty" +discussion.markets.description=Канал для обсуждения рынков и цен +# suppress inspection "UnusedProperty" +discussion.offTopic.title=Не в теме +# suppress inspection "UnusedProperty" +discussion.offTopic.description=Канал для разговоров не по теме + +# suppress inspection "UnusedProperty" +events.conferences.title=Конференции +# suppress inspection "UnusedProperty" +events.conferences.description=Канал для объявлений о конференциях +# suppress inspection "UnusedProperty" +events.meetups.title=Встречи +# suppress inspection "UnusedProperty" +events.meetups.description=Канал для объявлений о встречах +# suppress inspection "UnusedProperty" +events.podcasts.title=Подкасты +# suppress inspection "UnusedProperty" +events.podcasts.description=Канал для анонсов подкастов +# suppress inspection "UnusedProperty" +events.tradeEvents.title=Торговля +# suppress inspection "UnusedProperty" +events.tradeEvents.description=Канал для объявлений о торговых мероприятиях + +# suppress inspection "UnusedProperty" +support.support.title=Помощь +# suppress inspection "UnusedProperty" +support.support.description=Канал для вопросов поддержки +# suppress inspection "UnusedProperty" +support.questions.title=Помощь +# suppress inspection "UnusedProperty" +support.questions.description=Канал для помощи в заключении сделок +# suppress inspection "UnusedProperty" +support.reports.title=Отчет +# suppress inspection "UnusedProperty" +support.reports.description=Канал для сообщений об инцидентах и мошенничестве + + +################################################################################ +# +# Desktop module +# +################################################################################ + +chat.leave=Нажмите здесь, чтобы выйти +chat.leave.info=Вы собираетесь покинуть этот чат. +chat.leave.confirmLeaveChat=Покинуть чат +chat.messagebox.noChats.placeholder.title=Начните разговор! +chat.messagebox.noChats.placeholder.description=Присоединяйтесь к обсуждению на {0}, чтобы поделиться своими мыслями и задать вопросы. +chat.ignoreUser.warn=Если выбрать "Игнорировать пользователя", то все сообщения от этого пользователя будут скрыты.\n\nЭто действие вступит в силу при следующем входе в чат.\n\nЧтобы отменить это действие, перейдите в меню "Дополнительные параметры" > "Информация о канале" > "Участники" и выберите "Отменить игнорирование" рядом с пользователем. +chat.ignoreUser.confirm=Игнорировать пользователя + + +###################################################### +# Private chats +###################################################### + +chat.private.title=Приватные чаты +chat.private.messagebox.noChats.title={0} приватные чаты +chat.private.messagebox.noChats.placeholder.title=У вас нет никаких постоянных разговоров +chat.private.messagebox.noChats.placeholder.description=Чтобы пообщаться со сверстником в приватном чате, наведите курсор на его сообщение в\nв публичном чате и нажмите "Отправить личное сообщение". +chat.private.openChatsList.headline=Общайтесь с коллегами +chat.private.leaveChat.confirmation=Вы уверены, что хотите покинуть этот чат?\nВы потеряете доступ к чату и всей его информации. + + +###################################################### +# Top menu +###################################################### + +chat.topMenu.tradeGuide.tooltip=Руководство по открытой торговле +chat.topMenu.chatRules.tooltip=Правила открытого чата + + +###################################################### +# Chat menus +###################################################### + +chat.ellipsisMenu.tooltip=Дополнительные опции +chat.ellipsisMenu.chatRules=Правила чата +chat.ellipsisMenu.channelInfo=Информация о канале +chat.ellipsisMenu.tradeGuide=Руководство по торговле + +chat.notificationsSettingsMenu.title=Параметры уведомлений +chat.notificationsSettingsMenu.tooltip=Параметры уведомлений +chat.notificationsSettingsMenu.globalDefault=Использовать по умолчанию +chat.notificationsSettingsMenu.all=Все сообщения +chat.notificationsSettingsMenu.mention=Если упоминается +chat.notificationsSettingsMenu.off=Отключено + + +###################################################### +# Chat rules +###################################################### + +chat.chatRules.headline=Правила чата +chat.chatRules.content=- Будьте уважительны: Относитесь к другим по-доброму, избегайте оскорбительных выражений, личных нападок и преследований.- Будьте терпимы: Сохраняйте открытость и принимайте то, что у других могут быть другие взгляды, культурные особенности и опыт.- Не спамьте: Воздержитесь от переполнения чата повторяющимися или неактуальными сообщениями.- Без рекламы: Избегайте продвижения коммерческих продуктов, услуг или размещения рекламных ссылок.- Не троллить: Деструктивное поведение и намеренные провокации не приветствуются.- Не выдавать себя за других: Не используйте псевдонимы, которые вводят других в заблуждение, заставляя думать, что вы - известная личность.- Уважайте частную жизнь: Защищайте свою и чужую частную жизнь; не делитесь торговыми деталями.- Сообщайте о нарушениях: Сообщайте модератору о нарушениях правил или неподобающем поведении.- Наслаждайтесь чатом: Участвуйте в содержательных дискуссиях, заводите друзей и весело проводите время в дружелюбном и инклюзивном сообществе.\n\nУчаствуя в чате, вы соглашаетесь следовать этим правилам.\nСерьезные нарушения правил могут привести к запрету доступа в сеть Bisq. + + +#################################################################### +# Sidebar / user profile +#################################################################### + +chat.sideBar.userProfile.headline=Профиль пользователя +chat.sideBar.userProfile.nym=Идентификатор бота +chat.sideBar.userProfile.id=Идентификатор пользователя +chat.sideBar.userProfile.transportAddress=Транспортный адрес +chat.sideBar.userProfile.totalReputationScore=Общая оценка репутации +chat.sideBar.userProfile.profileAge=Возраст профиля +chat.sideBar.userProfile.livenessState=Последняя активность пользователя +chat.sideBar.userProfile.version=Версия +chat.sideBar.userProfile.statement=Заявление +chat.sideBar.userProfile.terms=Торговые условия +chat.sideBar.userProfile.sendPrivateMessage=Отправить личное сообщение +chat.sideBar.userProfile.mention=Упоминание +chat.sideBar.userProfile.ignore=Игнорировать +chat.sideBar.userProfile.undoIgnore=Отменить игнорирование +chat.sideBar.userProfile.report=Сообщить модератору + + +#################################################################### +# Sidebar / channel info +#################################################################### + +chat.sideBar.channelInfo.notification.options=Параметры уведомлений +chat.sideBar.channelInfo.notifications.globalDefault=Использовать по умолчанию +chat.sideBar.channelInfo.notifications.all=Все сообщения +chat.sideBar.channelInfo.notifications.mention=Если упоминается +chat.sideBar.channelInfo.notifications.off=Отключено +chat.sideBar.channelInfo.participants=Участники + + +#################################################################### +# Report to moderator window +#################################################################### + +chat.reportToModerator.headline=Сообщить модератору +chat.reportToModerator.info=Пожалуйста, ознакомьтесь с правилами торговли и убедитесь, что причина сообщения считается нарушением этих правил.\nВы можете ознакомиться с правилами торговли и правилами чата, нажав на значок знака вопроса в правом верхнем углу на экранах чата. +chat.reportToModerator.message=Сообщение для модератора +chat.reportToModerator.message.prompt=Введите сообщение для модератора +chat.reportToModerator.report=Сообщить модератору + + +#################################################################### +# Chat message display +#################################################################### + +chat.message.input.prompt=Введите новое сообщение +chat.message.input.send=Отправить сообщение +chat.message.wasEdited=(отредактировано) +chat.message.privateMessage=Отправить личное сообщение +chat.message.reply=Ответить +chat.message.moreOptions=Дополнительные опции +chat.message.supportedLanguages=Поддерживаемые языки: +chat.message.supportedLanguages.Tooltip=Поддерживаемые языки + +# suppress inspection "UnusedProperty" +chat.message.deliveryState.CONNECTING=Связь с равными. +# suppress inspection "UnusedProperty" +chat.message.deliveryState.SENT=Сообщение отправлено (получение еще не подтверждено). +# suppress inspection "UnusedProperty" +chat.message.deliveryState.ACK_RECEIVED=Получение сообщения подтверждено. +# suppress inspection "UnusedProperty" +chat.message.deliveryState.TRY_ADD_TO_MAILBOX=Попытка добавить сообщение в почтовый ящик собеседника. +# suppress inspection "UnusedProperty" +chat.message.deliveryState.ADDED_TO_MAILBOX=Сообщение добавлено в почтовый ящик собеседника. +# suppress inspection "UnusedProperty" +chat.message.deliveryState.MAILBOX_MSG_RECEIVED=Клиент загрузил сообщение почтового ящика. +# suppress inspection "UnusedProperty" +chat.message.deliveryState.FAILED=Отправка сообщения не удалась. +chat.message.resendMessage=Нажмите, чтобы отправить сообщение повторно. + +chat.message.contextMenu.ignoreUser=Игнорировать пользователя +chat.message.contextMenu.reportUser=Сообщить модератору о пользователе + +chat.message.takeOffer.seller.myReputationScoreTooLow.headline=Ваша оценка репутации слишком низка для принятия этого предложения +chat.message.takeOffer.seller.myReputationScoreTooLow.warning=Ваши оценки репутации {0} и ниже требуемой оценки репутации {1} для суммы сделки {2}.\n\nМодель безопасности Bisq Easy основана на репутации продавца.\nЧтобы узнать больше о системе репутации, посетите: [HYPERLINK:https://bisq.wiki/Репутация].\n\nВы можете узнать больше о том, как повысить свою репутацию в разделе ''Репутация/Построение репутации''. + +chat.message.takeOffer.buyer.makersReputationScoreTooLow.headline=Предупреждение о безопасности +chat.message.takeOffer.buyer.makersReputationScoreTooLow.warning=Оценка репутации продавца {0} ниже необходимой оценки {1} для суммы сделки {2}.\n\nМодель безопасности Bisq Easy основывается на репутации продавца, так как покупатель должен сначала отправить фиатную валюту. Если вы решите продолжить и принять это предложение, несмотря на недостаток репутации, убедитесь, что вы полностью понимаете связанные риски.\n\nЧтобы узнать больше о системе репутации, посетите: [HYPERLINK:https://bisq.wiki/Репутация].\n\nВы хотите продолжить и принять это предложение? + +chat.message.takeOffer.buyer.makersReputationScoreTooLow.yes=Да, я понимаю риск и хочу продолжить +chat.message.takeOffer.buyer.makersReputationScoreTooLow.no=Нет, я ищу другое предложение + +chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.headline=Пожалуйста, ознакомьтесь с рисками при принятии этого предложения +chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.warning=Оценка репутации продавца составляет {0}, что ниже требуемой оценки {1} для суммы сделки {2}.\n\nПоскольку сумма сделки относительно низкая, требования к репутации были ослаблены. Однако, если вы решите продолжить, несмотря на недостаточную репутацию продавца, убедитесь, что вы полностью понимаете связанные риски. Модель безопасности Bisq Easy зависит от репутации продавца, так как покупатель должен сначала отправить фиатную валюту.\n\nЧтобы узнать больше о системе репутации, посетите: [HYPERLINK:https://bisq.wiki/Репутация].\n\nВы все еще хотите принять предложение? +chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.yes=Да, я понимаю риск и хочу продолжить +chat.message.takeOffer.buyer.makersReputationTooLowButInLowAmountTolerance.no=Нет, я ищу другое предложение + +chat.message.offer.offerAlreadyTaken.warn=Вы уже приняли это предложение. +chat.message.delete.differentUserProfile.warn=Это сообщение чата было создано в другом профиле пользователя.\n\nВы хотите удалить это сообщение? +chat.message.send.differentUserProfile.warn=Вы использовали другой профиль пользователя в этом канале.\n\nВы уверены, что хотите отправить это сообщение с выбранным профилем пользователя? +chat.privateChannel.changeUserProfile.warn=Вы находитесь в приватном чат-канале, который был создан с профилем пользователя ''{0}''.\n\nВы не можете изменить профиль пользователя, находясь в этом чат-канале. +chat.message.send.offerOnly.warn=Вы выбрали опцию "Только предложения". Обычные текстовые сообщения в этом режиме не отображаются.\n\nХотите ли вы изменить режим, чтобы видеть все сообщения? + +chat.message.citation.headline=Отвечая на: +chat.message.reactionPopup=отреагировал с +chat.listView.scrollDown=Прокрутите вниз +chat.listView.scrollDown.newMessages=Прокрутите вниз, чтобы прочитать новые сообщения diff --git a/shared/domain/src/commonMain/resources/mobile/default.properties b/shared/domain/src/commonMain/resources/mobile/default.properties new file mode 100644 index 00000000..91c57458 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/default.properties @@ -0,0 +1,143 @@ +# Keep display strings organized by domain +# Naming convention: We use camelCase and dot separated name spaces. +# Use as many sub spaces as required to make the structure clear, but as little as possible. +# E.g.: [main-view].[component].[description] +# In some cases we use enum values or constants to map to display strings. Those cannot be detected by IDE and +# might show incorrectly as unused. + +# Use always at least one namespace as IntelliJ IDE might refactor other strings when renaming the key if the +# key is commonly used in other contexts. With at least one namespace the risk for accidental changes is reduced. + +# An annoying issue with property files is that we need to use 2 single quotes in display string +# containing variables (e.g. {0}), otherwise the variable will not be resolved. +# In display string which do not use a variable a single quote is ok. +# E.g. Don''t .... {1} + +# Hyperlinks in popups can be added via: [HYPERLINK:https://....]. They will get displayed as enumerated footer notes. + +# We use sometimes dynamic parts which are put together in the code and therefore sometimes use line breaks or spaces +# at the end of the string. Please never remove any line breaks or spaces. +# To make longer strings better readable you can make a line break with \ which does not result in a line break +# in the string, only in the editor. + +# Please use in all language files the exact same order of the entries, that way comparison is easier. + +# Please try to keep the length of the translated string similar to English. If it is longer it might break layout or +# get truncated. We will need some adjustments in the UI code to support that, but we want to keep effort at the minimum. + + +################################################################################ +# +# Common strings +# +################################################################################ + +confirmation.yes=Yes +confirmation.no=No +confirmation.ok=OK + +action.next=Next +action.back=Back +action.cancel=Cancel +action.close=Close +action.save=Save +action.shutDown=Shut down +action.iUnderstand=I understand +action.goTo=Go to {0} +action.copyToClipboard=Copy to clipboard +action.search=Search +action.edit=Edit +action.editable=Editable +action.delete=Delete +action.learnMore=Learn more +action.dontShowAgain=Don't show again +action.expandOrCollapse=Click to collapse or expand +action.exportAsCsv=Export as CSV +action.react=React + +data.noDataAvailable=No data available +data.na=N/A +data.true=True +data.false=False +data.add=Add +data.remove=Remove + +offer.createOffer=Create offer +offer.takeOffer.buy.button=Buy Bitcoin +offer.takeOffer.sell.button=Sell Bitcoin +offer.deleteOffer=Delete my offer +offer.buy=buy +offer.sell=sell +offer.buying=buying +offer.selling=selling +offer.seller=Seller +offer.buyer=Buyer +offer.maker=Maker +offer.taker=Taker +offer.price.above=above +offer.price.below=below +offer.amount=Amount + +temporal.date=Date +temporal.age=Age +# suppress inspection "UnusedProperty" +temporal.day.1={0} day +# suppress inspection "UnusedProperty" +temporal.day.*={0} days +# suppress inspection "UnusedProperty" +temporal.year.1={0} year +# suppress inspection "UnusedProperty" +temporal.year.*={0} years +temporal.at=at +temporal.today=Today + + + +#################################################################### +# Validation +#################################################################### + +# suppress inspection "UnusedProperty" +validation.invalid=Invalid input +validation.invalidNumber=Input is not a valid number +validation.invalidPercentage=Input is not a valid percentage value +validation.empty=Empty string not allowed +validation.password.tooShort=The password you entered is too short. It needs to contain at least 8 characters. +validation.password.notMatching=The 2 passwords you entered do not match +validation.tooLong=Input text must not be longer than {0} characters +validation.invalidBitcoinAddress=The Bitcoin address appears to be invalid +validation.invalidBitcoinTransactionId=The Bitcoin transaction ID appears to be invalid +validation.invalidLightningInvoice=The Lightning invoice appears to be invalid +validation.invalidLightningPreimage=The Lightning preimage appears to be invalid + + +#################################################################### +# UI components +#################################################################### + +component.priceInput.prompt=Enter price +component.priceInput.description={0} price +component.marketPrice.requesting=Requesting market price + +# suppress inspection "UnusedProperty" +component.marketPrice.source.PERSISTED=No market data received yet. Using persisted data. +# suppress inspection "UnusedProperty" +component.marketPrice.source.PROPAGATED_IN_NETWORK=Propagated by oracle node: {0} +# suppress inspection "UnusedProperty" +component.marketPrice.source.REQUESTED_FROM_PRICE_NODE=Requested from: {0} +component.marketPrice.provider.BISQAGGREGATE=Bisq price aggregator + +component.marketPrice.tooltip.isStale=\nWARNING: Market price is outdated! +component.marketPrice.tooltip={0}\n\ + Updated: {1} ago\n\ + Received at: {2}{3} + + +#################################################################### +# Table +#################################################################### +component.standardTable.filter.showAll=Show all +component.standardTable.filter.tooltip=Filter by {0} +component.standardTable.numEntries=Number of entries: {0} +component.standardTable.csv.plainValue={0} (plain value) + diff --git a/shared/domain/src/commonMain/resources/mobile/default_af_ZA.properties b/shared/domain/src/commonMain/resources/mobile/default_af_ZA.properties new file mode 100644 index 00000000..fc59d00b --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/default_af_ZA.properties @@ -0,0 +1,140 @@ +# Keep display strings organized by domain +# Naming convention: We use camelCase and dot separated name spaces. +# Use as many sub spaces as required to make the structure clear, but as little as possible. +# E.g.: [main-view].[component].[description] +# In some cases we use enum values or constants to map to display strings. Those cannot be detected by IDE and +# might show incorrectly as unused. + +# Use always at least one namespace as IntelliJ IDE might refactor other strings when renaming the key if the +# key is commonly used in other contexts. With at least one namespace the risk for accidental changes is reduced. + +# An annoying issue with property files is that we need to use 2 single quotes in display string +# containing variables (e.g. {0}), otherwise the variable will not be resolved. +# In display string which do not use a variable a single quote is ok. +# E.g. Don''t .... {1} + +# Hyperlinks in popups can be added via: [HYPERLINK:https://....]. They will get displayed as enumerated footer notes. + +# We use sometimes dynamic parts which are put together in the code and therefore sometimes use line breaks or spaces +# at the end of the string. Please never remove any line breaks or spaces. +# To make longer strings better readable you can make a line break with \ which does not result in a line break +# in the string, only in the editor. + +# Please use in all language files the exact same order of the entries, that way comparison is easier. + +# Please try to keep the length of the translated string similar to English. If it is longer it might break layout or +# get truncated. We will need some adjustments in the UI code to support that, but we want to keep effort at the minimum. + + +################################################################################ +# +# Common strings +# +################################################################################ + +confirmation.yes=Ja +confirmation.no=Nee +confirmation.ok=OK + +action.next=Volgende +action.back=Terug +action.cancel=Kanselleer +action.close=Sluit +action.save=Stoor +action.shutDown=Skakel af +action.iUnderstand=Ek verstaan +action.goTo=Gaan na {0} +action.copyToClipboard=Kopieer na klembord +action.search=Soek +action.edit=Wysig +action.editable=Wysigbaar +action.delete=Verwyder +action.learnMore=Leer meer +action.dontShowAgain=Moet nie weer wys nie +action.expandOrCollapse=Klik om te vernou of uit te brei +action.exportAsCsv=Eksporteer as CSV +action.react=Reageer + +data.noDataAvailable=Geen data beskikbaar +data.na=N/A +data.true=Waar +data.false=Vals +data.add=Voeg +data.remove=Verwyder + +offer.createOffer=Skep aanbod +offer.takeOffer.buy.button=Koop Bitcoin +offer.takeOffer.sell.button=Verkoop Bitcoin +offer.deleteOffer=Verwyder my aanbod +offer.buy=koop +offer.sell=verkoop +offer.buying=koop +offer.selling=verkoping +offer.seller=Verkoper +offer.buyer=Koperaar +offer.maker=Maker +offer.taker=Taker +offer.price.above=boonste +offer.price.below=onder +offer.amount=Bedrag + +temporal.date=Datum +temporal.age=Ouderdom +# suppress inspection "UnusedProperty" +temporal.day.1={0} dag +# suppress inspection "UnusedProperty" +temporal.day.*={0} dae +# suppress inspection "UnusedProperty" +temporal.year.1={0} jaar +# suppress inspection "UnusedProperty" +temporal.year.*={0} jare +temporal.at=by + + + +#################################################################### +# Validation +#################################################################### + +# suppress inspection "UnusedProperty" +validation.invalid=Ongeldige invoer +validation.invalidNumber=Invoer is nie 'n geldige nommer nie +validation.invalidPercentage=Invoer is nie 'n geldige persentasiewaarde nie +validation.empty=Leë string nie toegelaat +validation.password.tooShort=Die wagwoord wat u ingevoer het, is te kort. Dit moet ten minste 8 karakters bevat. +validation.password.notMatching=Die 2 wagwoorde wat jy ingevoer het, stem nie ooreen nie +validation.tooLong=Invoerteks mag nie langer wees as {0} karakters nie +validation.invalidBitcoinAddress=Die Bitcoin adres blyk ongeldig te wees +validation.invalidBitcoinTransactionId=Die Bitcoin transaksie-ID blyk ongeldig te wees +validation.invalidLightningInvoice=Die Lightning-faktuur blyk ongeldig te wees +validation.invalidLightningPreimage=Die Lightning prebeeld blyk ongeldig te wees + + +#################################################################### +# UI components +#################################################################### + +component.priceInput.prompt=Voer prys in +component.priceInput.description={0} prys +component.marketPrice.requesting=Versoek markprys + +# suppress inspection "UnusedProperty" +component.marketPrice.source.PERSISTED=Geen mark data nog ontvang nie. Gebruik volgehoue data. +# suppress inspection "UnusedProperty" +component.marketPrice.source.PROPAGATED_IN_NETWORK=Gepropageer deur orakel-knoop: {0} +# suppress inspection "UnusedProperty" +component.marketPrice.source.REQUESTED_FROM_PRICE_NODE=Versoek vanaf: {0} +component.marketPrice.provider.BISQAGGREGATE=Bisq prys aggregateur + +component.marketPrice.tooltip.isStale=\nWAARSKUWING: Markprys is verouderd! +component.marketPrice.tooltip={0}\nOpgedate: {1} gelede\nOntvang op: {2}{3} + + +#################################################################### +# Table +#################################################################### +component.standardTable.filter.showAll=Wys alles +component.standardTable.filter.tooltip=Filtreer volgens {0} +component.standardTable.numEntries=Aantal inskrywings: {0} +component.standardTable.csv.plainValue={0} + diff --git a/shared/domain/src/commonMain/resources/mobile/default_cs.properties b/shared/domain/src/commonMain/resources/mobile/default_cs.properties new file mode 100644 index 00000000..ebc9ec65 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/default_cs.properties @@ -0,0 +1,140 @@ +# Keep display strings organized by domain +# Naming convention: We use camelCase and dot separated name spaces. +# Use as many sub spaces as required to make the structure clear, but as little as possible. +# E.g.: [main-view].[component].[description] +# In some cases we use enum values or constants to map to display strings. Those cannot be detected by IDE and +# might show incorrectly as unused. + +# Use always at least one namespace as IntelliJ IDE might refactor other strings when renaming the key if the +# key is commonly used in other contexts. With at least one namespace the risk for accidental changes is reduced. + +# An annoying issue with property files is that we need to use 2 single quotes in display string +# containing variables (e.g. {0}), otherwise the variable will not be resolved. +# In display string which do not use a variable a single quote is ok. +# E.g. Don''t .... {1} + +# Hyperlinks in popups can be added via: [HYPERLINK:https://....]. They will get displayed as enumerated footer notes. + +# We use sometimes dynamic parts which are put together in the code and therefore sometimes use line breaks or spaces +# at the end of the string. Please never remove any line breaks or spaces. +# To make longer strings better readable you can make a line break with \ which does not result in a line break +# in the string, only in the editor. + +# Please use in all language files the exact same order of the entries, that way comparison is easier. + +# Please try to keep the length of the translated string similar to English. If it is longer it might break layout or +# get truncated. We will need some adjustments in the UI code to support that, but we want to keep effort at the minimum. + + +################################################################################ +# +# Common strings +# +################################################################################ + +confirmation.yes=Ano +confirmation.no=Ne +confirmation.ok=OK + +action.next=Další +action.back=Zpět +action.cancel=Zrušit +action.close=Zavřít +action.save=Uložit +action.shutDown=Vypnout +action.iUnderstand=Chápu +action.goTo=Přejít na {0} +action.copyToClipboard=Kopírovat do schránky +action.search=Hledat +action.edit=Upravit +action.editable=Editovatelný +action.delete=Smazat +action.learnMore=Dozvědět se více +action.dontShowAgain=Už nezobrazovat +action.expandOrCollapse=Klikněte pro sbalení nebo rozbalení +action.exportAsCsv=Exportovat jako CSV +action.react=Reagovat + +data.noDataAvailable=Žádná dostupná data +data.na=Nedostupné +data.true=Pravda +data.false=Nepravda +data.add=Přidat +data.remove=Odebrat + +offer.createOffer=Vytvořit nabídku +offer.takeOffer.buy.button=Koupit Bitcoin +offer.takeOffer.sell.button=Prodat Bitcoin +offer.deleteOffer=Smazat mou nabídku +offer.buy=koupit +offer.sell=prodat +offer.buying=kupující +offer.selling=prodávající +offer.seller=Prodávající +offer.buyer=Kupující +offer.maker=Tvůrce +offer.taker=Příjemce +offer.price.above=nad +offer.price.below=pod +offer.amount=Množství + +temporal.date=Datum +temporal.age=Stáří +# suppress inspection "UnusedProperty" +temporal.day.1={0} den +# suppress inspection "UnusedProperty" +temporal.day.*={0} dní +# suppress inspection "UnusedProperty" +temporal.year.1={0} rok +# suppress inspection "UnusedProperty" +temporal.year.*={0} let +temporal.at=v + + + +#################################################################### +# Validation +#################################################################### + +# suppress inspection "UnusedProperty" +validation.invalid=Neplatný vstup +validation.invalidNumber=Vstup není platné číslo +validation.invalidPercentage=Vstup není platná procentuální hodnota +validation.empty=Není dovolen prázdný řetězec +validation.password.tooShort=Zadané heslo je příliš krátké. Musí obsahovat alespoň 8 znaků. +validation.password.notMatching=Zadané 2 hesla se neshodují +validation.tooLong=Text vstupu nesmí být delší než {0} znaků +validation.invalidBitcoinAddress=Bitcoinová adresa se zdá být neplatná +validation.invalidBitcoinTransactionId=ID Bitcoin transakce se zdá být neplatné +validation.invalidLightningInvoice=Lightning faktura se zdá být neplatná +validation.invalidLightningPreimage=Lightning preimage se zdá být neplatná + + +#################################################################### +# UI components +#################################################################### + +component.priceInput.prompt=Zadejte cenu +component.priceInput.description={0} cena +component.marketPrice.requesting=Požadování tržní ceny + +# suppress inspection "UnusedProperty" +component.marketPrice.source.PERSISTED=Uložená data +# suppress inspection "UnusedProperty" +component.marketPrice.source.PROPAGATED_IN_NETWORK=Propagováno uzlem oracle: {0} +# suppress inspection "UnusedProperty" +component.marketPrice.source.REQUESTED_FROM_PRICE_NODE=Požadováno od: {0} +component.marketPrice.provider.BISQAGGREGATE=Agregátor cen Bisq + +component.marketPrice.tooltip.isStale=\nUPOZORNĚNÍ: Tržní cena je zastaralá! +component.marketPrice.tooltip={0}\nAktualizováno: před {1}\nPřijato: {2}{3} + + +#################################################################### +# Table +#################################################################### +component.standardTable.filter.showAll=Zobrazit vše +component.standardTable.filter.tooltip=Filtrovat podle {0} +component.standardTable.numEntries=Počet položek: {0} +component.standardTable.csv.plainValue={0} (běžná hodnota) + diff --git a/shared/domain/src/commonMain/resources/mobile/default_de.properties b/shared/domain/src/commonMain/resources/mobile/default_de.properties new file mode 100644 index 00000000..b44bf201 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/default_de.properties @@ -0,0 +1,140 @@ +# Keep display strings organized by domain +# Naming convention: We use camelCase and dot separated name spaces. +# Use as many sub spaces as required to make the structure clear, but as little as possible. +# E.g.: [main-view].[component].[description] +# In some cases we use enum values or constants to map to display strings. Those cannot be detected by IDE and +# might show incorrectly as unused. + +# Use always at least one namespace as IntelliJ IDE might refactor other strings when renaming the key if the +# key is commonly used in other contexts. With at least one namespace the risk for accidental changes is reduced. + +# An annoying issue with property files is that we need to use 2 single quotes in display string +# containing variables (e.g. {0}), otherwise the variable will not be resolved. +# In display string which do not use a variable a single quote is ok. +# E.g. Don''t .... {1} + +# Hyperlinks in popups can be added via: [HYPERLINK:https://....]. They will get displayed as enumerated footer notes. + +# We use sometimes dynamic parts which are put together in the code and therefore sometimes use line breaks or spaces +# at the end of the string. Please never remove any line breaks or spaces. +# To make longer strings better readable you can make a line break with \ which does not result in a line break +# in the string, only in the editor. + +# Please use in all language files the exact same order of the entries, that way comparison is easier. + +# Please try to keep the length of the translated string similar to English. If it is longer it might break layout or +# get truncated. We will need some adjustments in the UI code to support that, but we want to keep effort at the minimum. + + +################################################################################ +# +# Common strings +# +################################################################################ + +confirmation.yes=Ja +confirmation.no=Nein +confirmation.ok=OK + +action.next=Weiter +action.back=Zurück +action.cancel=Abbrechen +action.close=Schließen +action.save=Speichern +action.shutDown=Herunterfahren +action.iUnderstand=Ich verstehe +action.goTo=Gehe zu {0} +action.copyToClipboard=In Zwischenablage kopieren +action.search=Suche +action.edit=Bearbeiten +action.editable=Bearbeitbar +action.delete=Löschen +action.learnMore=Mehr erfahren +action.dontShowAgain=Nicht erneut anzeigen +action.expandOrCollapse=Klicken Sie zum Ausblenden oder Einblenden +action.exportAsCsv=Als CSV exportieren +action.react=Reagieren + +data.noDataAvailable=Keine Daten verfügbar +data.na=N/V +data.true=Wahr +data.false=Falsch +data.add=Hinzufügen +data.remove=Entfernen + +offer.createOffer=Neues Angebot erstellen +offer.takeOffer.buy.button=Bitcoin kaufen +offer.takeOffer.sell.button=Bitcoin verkaufen +offer.deleteOffer=Mein Angebot löschen +offer.buy=kaufen +offer.sell=verkaufen +offer.buying=kaufe +offer.selling=verkaufe +offer.seller=Verkäufer +offer.buyer=Käufer +offer.maker=Anbieter +offer.taker=Akzeptierender +offer.price.above=über +offer.price.below=unter +offer.amount=Menge + +temporal.date=Datum +temporal.age=Alter +# suppress inspection "UnusedProperty" +temporal.day.1={0} Tag +# suppress inspection "UnusedProperty" +temporal.day.*={0} Tage +# suppress inspection "UnusedProperty" +temporal.year.1={0} Jahr +# suppress inspection "UnusedProperty" +temporal.year.*={0} Jahre +temporal.at=bei + + + +#################################################################### +# Validation +#################################################################### + +# suppress inspection "UnusedProperty" +validation.invalid=Ungültige Eingabe +validation.invalidNumber=Eingabe ist keine gültige Zahl +validation.invalidPercentage=Eingabe ist kein gültiger Prozentsatz +validation.empty=Leere Zeichenfolge nicht erlaubt +validation.password.tooShort=Das eingegebene Passwort ist zu kurz. Es muss mindestens 8 Zeichen enthalten. +validation.password.notMatching=Die beiden eingegebenen Passwörter stimmen nicht überein +validation.tooLong=Der Eingabetext darf nicht länger als {0} Zeichen sein +validation.invalidBitcoinAddress=Die Bitcoin-Adresse scheint ungültig zu sein +validation.invalidBitcoinTransactionId=Die Bitcoin-Transaktions-ID scheint ungültig zu sein +validation.invalidLightningInvoice=Die Lightning-Rechnung scheint ungültig zu sein +validation.invalidLightningPreimage=Das Lightning-Preimage scheint ungültig zu sein + + +#################################################################### +# UI components +#################################################################### + +component.priceInput.prompt=Preis eingeben +component.priceInput.description={0} Preis +component.marketPrice.requesting=Marktpreis anfordern + +# suppress inspection "UnusedProperty" +component.marketPrice.source.PERSISTED=Dauerhafte Daten +# suppress inspection "UnusedProperty" +component.marketPrice.source.PROPAGATED_IN_NETWORK=Propagiert durch Orakel-Knoten: {0} +# suppress inspection "UnusedProperty" +component.marketPrice.source.REQUESTED_FROM_PRICE_NODE=Angefordert von: {0} +component.marketPrice.provider.BISQAGGREGATE=Bisq Preisaggregator + +component.marketPrice.tooltip.isStale=\nWARNUNG: Der Marktpreis ist veraltet! +component.marketPrice.tooltip={0}\nAktualisiert: Vor {1}\nErhalten am: {2}{3} + + +#################################################################### +# Table +#################################################################### +component.standardTable.filter.showAll=Alles anzeigen +component.standardTable.filter.tooltip=Nach {0} filtern +component.standardTable.numEntries=Anzahl der Einträge: {0} +component.standardTable.csv.plainValue={0} (einfacher Wert) + diff --git a/shared/domain/src/commonMain/resources/mobile/default_es.properties b/shared/domain/src/commonMain/resources/mobile/default_es.properties new file mode 100644 index 00000000..03193c29 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/default_es.properties @@ -0,0 +1,140 @@ +# Keep display strings organized by domain +# Naming convention: We use camelCase and dot separated name spaces. +# Use as many sub spaces as required to make the structure clear, but as little as possible. +# E.g.: [main-view].[component].[description] +# In some cases we use enum values or constants to map to display strings. Those cannot be detected by IDE and +# might show incorrectly as unused. + +# Use always at least one namespace as IntelliJ IDE might refactor other strings when renaming the key if the +# key is commonly used in other contexts. With at least one namespace the risk for accidental changes is reduced. + +# An annoying issue with property files is that we need to use 2 single quotes in display string +# containing variables (e.g. {0}), otherwise the variable will not be resolved. +# In display string which do not use a variable a single quote is ok. +# E.g. Don''t .... {1} + +# Hyperlinks in popups can be added via: [HYPERLINK:https://....]. They will get displayed as enumerated footer notes. + +# We use sometimes dynamic parts which are put together in the code and therefore sometimes use line breaks or spaces +# at the end of the string. Please never remove any line breaks or spaces. +# To make longer strings better readable you can make a line break with \ which does not result in a line break +# in the string, only in the editor. + +# Please use in all language files the exact same order of the entries, that way comparison is easier. + +# Please try to keep the length of the translated string similar to English. If it is longer it might break layout or +# get truncated. We will need some adjustments in the UI code to support that, but we want to keep effort at the minimum. + + +################################################################################ +# +# Common strings +# +################################################################################ + +confirmation.yes=Sí +confirmation.no=No +confirmation.ok=OK + +action.next=Siguiente +action.back=Atrás +action.cancel=Cancelar +action.close=Cerrar +action.save=Guardar +action.shutDown=Apagar +action.iUnderstand=Lo entiendo +action.goTo=Ir a {0} +action.copyToClipboard=Copiar al portapapeles +action.search=Buscar +action.edit=Editar +action.editable=Editable +action.delete=Eliminar +action.learnMore=Más información +action.dontShowAgain=No mostrar de nuevo +action.expandOrCollapse=Haga clic para cerrar o expandir +action.exportAsCsv=Exportar como CSV +action.react=Reaccionar + +data.noDataAvailable=No hay datos disponibles +data.na=N/D +data.true=Verdadero +data.false=Falso +data.add=Añadir +data.remove=Eliminar + +offer.createOffer=Crear oferta +offer.takeOffer.buy.button=Comprar Bitcoin +offer.takeOffer.sell.button=Vender Bitcoin +offer.deleteOffer=Eliminar mi oferta +offer.buy=comprar +offer.sell=vender +offer.buying=comprando +offer.selling=vendiendo +offer.seller=Vendedor +offer.buyer=Comprador +offer.maker=Ofertante +offer.taker=Tomador +offer.price.above=por encima de +offer.price.below=por debajo de +offer.amount=Cantidad + +temporal.date=Fecha +temporal.age=Edad +# suppress inspection "UnusedProperty" +temporal.day.1={0} día +# suppress inspection "UnusedProperty" +temporal.day.*={0} días +# suppress inspection "UnusedProperty" +temporal.year.1={0} año +# suppress inspection "UnusedProperty" +temporal.year.*={0} años +temporal.at=en + + + +#################################################################### +# Validation +#################################################################### + +# suppress inspection "UnusedProperty" +validation.invalid=Entrada no válida +validation.invalidNumber=No es un número válido +validation.invalidPercentage=No es un porcentaje válido +validation.empty=No se permite texto vacío +validation.password.tooShort=La contraseña que has introducido es demasiado corta. Debe contener al menos 8 caracteres. +validation.password.notMatching=Las 2 contraseñas no coinciden +validation.tooLong=El texto no debe ser más largo de {0} caracteres +validation.invalidBitcoinAddress=La dirección de Bitcoin no parece válida +validation.invalidBitcoinTransactionId=El ID de la transacción de Bitcoin no parece válido +validation.invalidLightningInvoice=La factura de Lightning no parece válida +validation.invalidLightningPreimage=La preimagen de Lightning no parece válida + + +#################################################################### +# UI components +#################################################################### + +component.priceInput.prompt=Introduce el precio +component.priceInput.description={0} precio +component.marketPrice.requesting=Solicitando precio de mercado + +# suppress inspection "UnusedProperty" +component.marketPrice.source.PERSISTED=Pendiente de recibir precio de mercado. Usando datos persistidos en su lugar. +# suppress inspection "UnusedProperty" +component.marketPrice.source.PROPAGATED_IN_NETWORK=Propagado por el nodo oráculo: {0} +# suppress inspection "UnusedProperty" +component.marketPrice.source.REQUESTED_FROM_PRICE_NODE=Solicitado de: {0} +component.marketPrice.provider.BISQAGGREGATE=Agregador de precios de Bisq + +component.marketPrice.tooltip.isStale=\nADVERTENCIA: ¡El precio de mercado está desactualizado! +component.marketPrice.tooltip={0}\nActualizado: hace {1}\nRecibido en: {2}{3} + + +#################################################################### +# Table +#################################################################### +component.standardTable.filter.showAll=Mostrar todo +component.standardTable.filter.tooltip=Filtrar por {0} +component.standardTable.numEntries=Número de entradas: {0} +component.standardTable.csv.plainValue={0} (valor simple) + diff --git a/shared/domain/src/commonMain/resources/mobile/default_it.properties b/shared/domain/src/commonMain/resources/mobile/default_it.properties new file mode 100644 index 00000000..d97dd817 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/default_it.properties @@ -0,0 +1,140 @@ +# Keep display strings organized by domain +# Naming convention: We use camelCase and dot separated name spaces. +# Use as many sub spaces as required to make the structure clear, but as little as possible. +# E.g.: [main-view].[component].[description] +# In some cases we use enum values or constants to map to display strings. Those cannot be detected by IDE and +# might show incorrectly as unused. + +# Use always at least one namespace as IntelliJ IDE might refactor other strings when renaming the key if the +# key is commonly used in other contexts. With at least one namespace the risk for accidental changes is reduced. + +# An annoying issue with property files is that we need to use 2 single quotes in display string +# containing variables (e.g. {0}), otherwise the variable will not be resolved. +# In display string which do not use a variable a single quote is ok. +# E.g. Don''t .... {1} + +# Hyperlinks in popups can be added via: [HYPERLINK:https://....]. They will get displayed as enumerated footer notes. + +# We use sometimes dynamic parts which are put together in the code and therefore sometimes use line breaks or spaces +# at the end of the string. Please never remove any line breaks or spaces. +# To make longer strings better readable you can make a line break with \ which does not result in a line break +# in the string, only in the editor. + +# Please use in all language files the exact same order of the entries, that way comparison is easier. + +# Please try to keep the length of the translated string similar to English. If it is longer it might break layout or +# get truncated. We will need some adjustments in the UI code to support that, but we want to keep effort at the minimum. + + +################################################################################ +# +# Common strings +# +################################################################################ + +confirmation.yes=Sì +confirmation.no=No +confirmation.ok=OK + +action.next=Avanti +action.back=Indietro +action.cancel=Annulla +action.close=Chiudi +action.save=Salva +action.shutDown=Spegni +action.iUnderstand=Ho capito +action.goTo=Vai a {0} +action.copyToClipboard=Copia negli appunti +action.search=Cerca +action.edit=Modifica +action.editable=Modificabile +action.delete=Elimina +action.learnMore=Scopri di più +action.dontShowAgain=Non mostrare più +action.expandOrCollapse=Clicca per espandere o comprimere +action.exportAsCsv=Esporta come CSV +action.react=Reagisci + +data.noDataAvailable=Dati non disponibili +data.na=N/D +data.true=Vero +data.false=Falso +data.add=Aggiungi +data.remove=Rimuovi + +offer.createOffer=Crea offerta +offer.takeOffer.buy.button=Compra Bitcoin +offer.takeOffer.sell.button=Vendi Bitcoin +offer.deleteOffer=Elimina la mia offerta +offer.buy=compra +offer.sell=vendi +offer.buying=in acquisto +offer.selling=in vendita +offer.seller=Venditore +offer.buyer=Acquirente +offer.maker=Produttore +offer.taker=Accettatore +offer.price.above=sopra +offer.price.below=sotto +offer.amount=Quantità + +temporal.date=Data +temporal.age=Età +# suppress inspection "UnusedProperty" +temporal.day.1={0} giorno +# suppress inspection "UnusedProperty" +temporal.day.*={0} giorni +# suppress inspection "UnusedProperty" +temporal.year.1={0} anno +# suppress inspection "UnusedProperty" +temporal.year.*={0} anni +temporal.at=a + + + +#################################################################### +# Validation +#################################################################### + +# suppress inspection "UnusedProperty" +validation.invalid=Input non valido +validation.invalidNumber=L'input non è un numero valido +validation.invalidPercentage=L'input non è un valore percentuale valido +validation.empty=Non è consentita una stringa vuota +validation.password.tooShort=La password inserita è troppo corta. Deve contenere almeno 8 caratteri. +validation.password.notMatching=Le due password inserite non corrispondono +validation.tooLong=Il testo di input non deve superare i {0} caratteri +validation.invalidBitcoinAddress=L'indirizzo Bitcoin sembra non valido +validation.invalidBitcoinTransactionId=L'ID della transazione Bitcoin sembra non valido +validation.invalidLightningInvoice=La fattura Lightning sembra non valida +validation.invalidLightningPreimage=La preimmagine Lightning sembra non valida + + +#################################################################### +# UI components +#################################################################### + +component.priceInput.prompt=Inserisci il prezzo +component.priceInput.description={0} prezzo +component.marketPrice.requesting=Richiesta del prezzo di mercato + +# suppress inspection "UnusedProperty" +component.marketPrice.source.PERSISTED=Dati conservati +# suppress inspection "UnusedProperty" +component.marketPrice.source.PROPAGATED_IN_NETWORK=Propagato dal nodo oracle: {0} +# suppress inspection "UnusedProperty" +component.marketPrice.source.REQUESTED_FROM_PRICE_NODE=Richiesto da: {0} +component.marketPrice.provider.BISQAGGREGATE=Aggregatore di prezzo di Bisq + +component.marketPrice.tooltip.isStale=\nATTENZIONE: Il prezzo di mercato è obsoleto! +component.marketPrice.tooltip={0}\nAggiornato: {1} fa\nRicevuto il: {2}{3} + + +#################################################################### +# Table +#################################################################### +component.standardTable.filter.showAll=Mostra tutto +component.standardTable.filter.tooltip=Filtra per {0} +component.standardTable.numEntries=Numero di voci: {0} +component.standardTable.csv.plainValue={0} (valore semplice) + diff --git a/shared/domain/src/commonMain/resources/mobile/default_pcm.properties b/shared/domain/src/commonMain/resources/mobile/default_pcm.properties new file mode 100644 index 00000000..b8ab1dd9 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/default_pcm.properties @@ -0,0 +1,140 @@ +# Keep display strings organized by domain +# Naming convention: We use camelCase and dot separated name spaces. +# Use as many sub spaces as required to make the structure clear, but as little as possible. +# E.g.: [main-view].[component].[description] +# In some cases we use enum values or constants to map to display strings. Those cannot be detected by IDE and +# might show incorrectly as unused. + +# Use always at least one namespace as IntelliJ IDE might refactor other strings when renaming the key if the +# key is commonly used in other contexts. With at least one namespace the risk for accidental changes is reduced. + +# An annoying issue with property files is that we need to use 2 single quotes in display string +# containing variables (e.g. {0}), otherwise the variable will not be resolved. +# In display string which do not use a variable a single quote is ok. +# E.g. Don''t .... {1} + +# Hyperlinks in popups can be added via: [HYPERLINK:https://....]. They will get displayed as enumerated footer notes. + +# We use sometimes dynamic parts which are put together in the code and therefore sometimes use line breaks or spaces +# at the end of the string. Please never remove any line breaks or spaces. +# To make longer strings better readable you can make a line break with \ which does not result in a line break +# in the string, only in the editor. + +# Please use in all language files the exact same order of the entries, that way comparison is easier. + +# Please try to keep the length of the translated string similar to English. If it is longer it might break layout or +# get truncated. We will need some adjustments in the UI code to support that, but we want to keep effort at the minimum. + + +################################################################################ +# +# Common strings +# +################################################################################ + +confirmation.yes=Yes +confirmation.no=No +confirmation.ok=OK + +action.next=Next +action.back=Back +action.cancel=Cancel +action.close=Klose +action.save=Save +action.shutDown=Shut down +action.iUnderstand=I sabi +action.goTo=Go to {0} +action.copyToClipboard=Kopi to clipboard +action.search=Searh +action.edit=Editabl +action.editable=Editabl +action.delete=Delete +action.learnMore=Lern more +action.dontShowAgain=No show again +action.expandOrCollapse=Click to close or open +action.exportAsCsv=Eksport am as CSV +action.react=Reakt + +data.noDataAvailable=No data dey available +data.na=N/A +data.true=True +data.false=Fals +data.add=Add +data.remove=Remove + +offer.createOffer=Kreate offer +offer.takeOffer.buy.button=Buy Bitcoin +offer.takeOffer.sell.button=Sell Bitcoin +offer.deleteOffer=Delete my offer +offer.buy=buy +offer.sell=sell +offer.buying=buying +offer.selling=saling +offer.seller=Sela +offer.buyer=Baya +offer.maker=Meka +offer.taker=Taka +offer.price.above=bove +offer.price.below=belo +offer.amount=Amont + +temporal.date=Dei +temporal.age=Age +# suppress inspection "UnusedProperty" +temporal.day.1={0} dey +# suppress inspection "UnusedProperty" +temporal.day.*={0} dey +# suppress inspection "UnusedProperty" +temporal.year.1={0} yara +# suppress inspection "UnusedProperty" +temporal.year.*={0} yara +temporal.at=for + + + +#################################################################### +# Validation +#################################################################### + +# suppress inspection "UnusedProperty" +validation.invalid=Input wey no valid +validation.invalidNumber=Input no be valid number +validation.invalidPercentage=Input no be valid percentage value +validation.empty=Empty string no allowed +validation.password.tooShort=The password wey you enter too short. E need to get at least 8 characters. +validation.password.notMatching=The 2 passwords wey you enter no match +validation.tooLong=Input text no suppose pass {0} characters +validation.invalidBitcoinAddress=Di Bitcoin address dey look like say e invalid +validation.invalidBitcoinTransactionId=Di Bitcoin transaction ID dey look like say e invalid +validation.invalidLightningInvoice=Di Lightning invoice dey look like say e invalid +validation.invalidLightningPreimage=Di Lightning preimage dey look like say e invalid + + +#################################################################### +# UI components +#################################################################### + +component.priceInput.prompt=Enter pris +component.priceInput.description={0} prais +component.marketPrice.requesting=Dey request market price + +# suppress inspection "UnusedProperty" +component.marketPrice.source.PERSISTED=Persisted data +# suppress inspection "UnusedProperty" +component.marketPrice.source.PROPAGATED_IN_NETWORK=Propagated by oracle node: {0} +# suppress inspection "UnusedProperty" +component.marketPrice.source.REQUESTED_FROM_PRICE_NODE=Request wey come from: {0} +component.marketPrice.provider.BISQAGGREGATE=Bisq price aggregator + +component.marketPrice.tooltip.isStale=\nWARNING: Market price dey outdated! +component.marketPrice.tooltip={0}\nUpdated: {1} dey ago\nReceived at: {2}{3} + + +#################################################################### +# Table +#################################################################### +component.standardTable.filter.showAll=Show all +component.standardTable.filter.tooltip=Filta by {0} +component.standardTable.numEntries=Namba of entries: {0} +component.standardTable.csv.plainValue={0} (plin valyu) + diff --git a/shared/domain/src/commonMain/resources/mobile/default_pt_BR.properties b/shared/domain/src/commonMain/resources/mobile/default_pt_BR.properties new file mode 100644 index 00000000..ac08f058 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/default_pt_BR.properties @@ -0,0 +1,140 @@ +# Keep display strings organized by domain +# Naming convention: We use camelCase and dot separated name spaces. +# Use as many sub spaces as required to make the structure clear, but as little as possible. +# E.g.: [main-view].[component].[description] +# In some cases we use enum values or constants to map to display strings. Those cannot be detected by IDE and +# might show incorrectly as unused. + +# Use always at least one namespace as IntelliJ IDE might refactor other strings when renaming the key if the +# key is commonly used in other contexts. With at least one namespace the risk for accidental changes is reduced. + +# An annoying issue with property files is that we need to use 2 single quotes in display string +# containing variables (e.g. {0}), otherwise the variable will not be resolved. +# In display string which do not use a variable a single quote is ok. +# E.g. Don''t .... {1} + +# Hyperlinks in popups can be added via: [HYPERLINK:https://....]. They will get displayed as enumerated footer notes. + +# We use sometimes dynamic parts which are put together in the code and therefore sometimes use line breaks or spaces +# at the end of the string. Please never remove any line breaks or spaces. +# To make longer strings better readable you can make a line break with \ which does not result in a line break +# in the string, only in the editor. + +# Please use in all language files the exact same order of the entries, that way comparison is easier. + +# Please try to keep the length of the translated string similar to English. If it is longer it might break layout or +# get truncated. We will need some adjustments in the UI code to support that, but we want to keep effort at the minimum. + + +################################################################################ +# +# Common strings +# +################################################################################ + +confirmation.yes=Sim +confirmation.no=Não +confirmation.ok=OK + +action.next=Próximo +action.back=Voltar +action.cancel=Cancelar +action.close=Fechar +action.save=Salvar +action.shutDown=Desligar +action.iUnderstand=Eu entendo +action.goTo=Ir para {0} +action.copyToClipboard=Copiar para a área de transferência +action.search=Pesquisar +action.edit=Editar +action.editable=Editável +action.delete=Excluir +action.learnMore=Saber mais +action.dontShowAgain=Não mostrar novamente +action.expandOrCollapse=Clique para expandir ou recolher +action.exportAsCsv=Exportar como CSV +action.react=Reagir + +data.noDataAvailable=Sem dados disponíveis +data.na=N/D +data.true=Verdadeiro +data.false=Falso +data.add=Adicionar +data.remove=Remover + +offer.createOffer=Criar oferta +offer.takeOffer.buy.button=Comprar Bitcoin +offer.takeOffer.sell.button=Vender Bitcoin +offer.deleteOffer=Excluir minha oferta +offer.buy=comprar +offer.sell=vender +offer.buying=comprando +offer.selling=vendendo +offer.seller=Vendedor +offer.buyer=Comprador +offer.maker=Criador +offer.taker=Tomador +offer.price.above=acima +offer.price.below=abaixo +offer.amount=Quantidade + +temporal.date=Data +temporal.age=Idade +# suppress inspection "UnusedProperty" +temporal.day.1={0} dia +# suppress inspection "UnusedProperty" +temporal.day.*={0} dias +# suppress inspection "UnusedProperty" +temporal.year.1={0} ano +# suppress inspection "UnusedProperty" +temporal.year.*={0} anos +temporal.at=às + + + +#################################################################### +# Validation +#################################################################### + +# suppress inspection "UnusedProperty" +validation.invalid=Entrada inválida +validation.invalidNumber=A entrada não é um número válido +validation.invalidPercentage=A entrada não é um valor percentual válido +validation.empty=String vazia não permitida +validation.password.tooShort=A senha que você digitou é muito curta. Ela precisa ter pelo menos 8 caracteres. +validation.password.notMatching=As 2 senhas que você digitou não coincidem +validation.tooLong=O texto de entrada não deve ser mais longo que {0} caracteres +validation.invalidBitcoinAddress=O endereço Bitcoin parece ser inválido +validation.invalidBitcoinTransactionId=O ID da transação Bitcoin parece ser inválido +validation.invalidLightningInvoice=A fatura Lightning parece ser inválida +validation.invalidLightningPreimage=A pré-imagem Lightning parece ser inválida + + +#################################################################### +# UI components +#################################################################### + +component.priceInput.prompt=Insira o preço +component.priceInput.description=Preço em {0} +component.marketPrice.requesting=Solicitando preço de mercado + +# suppress inspection "UnusedProperty" +component.marketPrice.source.PERSISTED=Dados de mercado ainda não recebidos. Usando dados armazenados. +# suppress inspection "UnusedProperty" +component.marketPrice.source.PROPAGATED_IN_NETWORK=Propagado pelo nó oráculo: {0} +# suppress inspection "UnusedProperty" +component.marketPrice.source.REQUESTED_FROM_PRICE_NODE=Solicitado de: {0} +component.marketPrice.provider.BISQAGGREGATE=Agregador de preços Bisq + +component.marketPrice.tooltip.isStale=\nAVISO: Preço de mercado está desatualizado! +component.marketPrice.tooltip={0}\nAtualizado: {1} ago\nRecebido em: {2}{3} + + +#################################################################### +# Table +#################################################################### +component.standardTable.filter.showAll=Mostrar todos +component.standardTable.filter.tooltip=Filtrar por {0} +component.standardTable.numEntries=Número de entradas: {0} +component.standardTable.csv.plainValue={0} (valor simples) + diff --git a/shared/domain/src/commonMain/resources/mobile/default_ru.properties b/shared/domain/src/commonMain/resources/mobile/default_ru.properties new file mode 100644 index 00000000..321a004d --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/default_ru.properties @@ -0,0 +1,140 @@ +# Keep display strings organized by domain +# Naming convention: We use camelCase and dot separated name spaces. +# Use as many sub spaces as required to make the structure clear, but as little as possible. +# E.g.: [main-view].[component].[description] +# In some cases we use enum values or constants to map to display strings. Those cannot be detected by IDE and +# might show incorrectly as unused. + +# Use always at least one namespace as IntelliJ IDE might refactor other strings when renaming the key if the +# key is commonly used in other contexts. With at least one namespace the risk for accidental changes is reduced. + +# An annoying issue with property files is that we need to use 2 single quotes in display string +# containing variables (e.g. {0}), otherwise the variable will not be resolved. +# In display string which do not use a variable a single quote is ok. +# E.g. Don''t .... {1} + +# Hyperlinks in popups can be added via: [HYPERLINK:https://....]. They will get displayed as enumerated footer notes. + +# We use sometimes dynamic parts which are put together in the code and therefore sometimes use line breaks or spaces +# at the end of the string. Please never remove any line breaks or spaces. +# To make longer strings better readable you can make a line break with \ which does not result in a line break +# in the string, only in the editor. + +# Please use in all language files the exact same order of the entries, that way comparison is easier. + +# Please try to keep the length of the translated string similar to English. If it is longer it might break layout or +# get truncated. We will need some adjustments in the UI code to support that, but we want to keep effort at the minimum. + + +################################################################################ +# +# Common strings +# +################################################################################ + +confirmation.yes=Да +confirmation.no=Нет +confirmation.ok=ХОРОШО + +action.next=Далее +action.back=Назад +action.cancel=Отмена +action.close=Закрыть +action.save=Сохранить +action.shutDown=Выключить +action.iUnderstand=Я понял +action.goTo=Перейти к {0} +action.copyToClipboard=Копировать в буфер обмена +action.search=Поиск +action.edit=Редактировать +action.editable=Редактируемый +action.delete=Удалить +action.learnMore=Узнать больше +action.dontShowAgain=Больше не показывайте +action.expandOrCollapse=Нажмите, чтобы свернуть или развернуть +action.exportAsCsv=Экспорт как CSV +action.react=Отклик + +data.noDataAvailable=Нет данных +data.na=N/A +data.true=Правда +data.false=Ложь +data.add=Добавить +data.remove=Удалить + +offer.createOffer=Создать предложение +offer.takeOffer.buy.button=Купить биткойн +offer.takeOffer.sell.button=Продать биткойн +offer.deleteOffer=Удалить мое предложение +offer.buy=купить +offer.sell=продать +offer.buying=покупка +offer.selling=продажа +offer.seller=Продавец +offer.buyer=Покупатель +offer.maker=Производитель +offer.taker=Взявший +offer.price.above=выше +offer.price.below=ниже +offer.amount=Сумма + +temporal.date=Дата +temporal.age=Возраст +# suppress inspection "UnusedProperty" +temporal.day.1={0} день +# suppress inspection "UnusedProperty" +temporal.day.*={0} дней +# suppress inspection "UnusedProperty" +temporal.year.1={0} год +# suppress inspection "UnusedProperty" +temporal.year.*={0} лет +temporal.at=на + + + +#################################################################### +# Validation +#################################################################### + +# suppress inspection "UnusedProperty" +validation.invalid=Недопустимый ввод +validation.invalidNumber=Ввод не является действительным числом +validation.invalidPercentage=Ввод не является допустимым процентным значением +validation.empty=Пустая строка не допускается +validation.password.tooShort=Введенный вами пароль слишком короткий. Он должен содержать не менее 8 символов. +validation.password.notMatching=2 введенных вами пароля не совпадают +validation.tooLong=Вводимый текст не должен быть длиннее {0} символов +validation.invalidBitcoinAddress=Биткойн-адрес, по-видимому, недействителен +validation.invalidBitcoinTransactionId=Похоже, что идентификатор транзакции Bitcoin недействителен +validation.invalidLightningInvoice=Похоже, что счет-фактура Lightning недействителен +validation.invalidLightningPreimage=Предварительное изображение "Молния" кажется недействительным + + +#################################################################### +# UI components +#################################################################### + +component.priceInput.prompt=Введите цену +component.priceInput.description={0} цена +component.marketPrice.requesting=Запрос рыночной цены + +# suppress inspection "UnusedProperty" +component.marketPrice.source.PERSISTED=Рыночные данные еще не получены. Используются сохраненные данные. +# suppress inspection "UnusedProperty" +component.marketPrice.source.PROPAGATED_IN_NETWORK=Распространяется узлом оракула: {0} +# suppress inspection "UnusedProperty" +component.marketPrice.source.REQUESTED_FROM_PRICE_NODE=Запрошено у: {0} +component.marketPrice.provider.BISQAGGREGATE=Агрегатор цен Bisq + +component.marketPrice.tooltip.isStale=\nВНИМАНИЕ: Рыночная цена устарела! +component.marketPrice.tooltip={0}\nОбновлено: {1} назад\nПолучено в: {2}{3} + + +#################################################################### +# Table +#################################################################### +component.standardTable.filter.showAll=Показать все +component.standardTable.filter.tooltip=Фильтр по {0} +component.standardTable.numEntries=Количество записей: {0} +component.standardTable.csv.plainValue={0} (обычное значение) + diff --git a/shared/domain/src/commonMain/resources/mobile/mobile.properties b/shared/domain/src/commonMain/resources/mobile/mobile.properties new file mode 100644 index 00000000..0476c61f --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/mobile.properties @@ -0,0 +1 @@ +bootstrap.connectedToTrustedNode=Connected to trusted node \ No newline at end of file diff --git a/shared/domain/src/commonMain/resources/mobile/network.properties b/shared/domain/src/commonMain/resources/mobile/network.properties new file mode 100644 index 00000000..3e460964 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/network.properties @@ -0,0 +1,79 @@ +#################################################################### +# Network +#################################################################### + +network.myNetworkNode=My network node +network.p2pNetwork=P2P network +network.roles=Bonded roles +network.nodes=Infrastructure nodes + +network.version.headline=Version distribution +network.version.versionDistribution.version=Version {0} +network.version.versionDistribution.oldVersions=2.0.4 (or below) +network.version.versionDistribution.tooltipLine={0} user profiles with version ''{1}'' +network.version.localVersion.headline=Local version info +network.version.localVersion.details=Bisq version: v{0}\n\ + Commit hash: {1}\n\ + Tor version: v{2} + +# suppress inspection "UnusedProperty" +network.transport.headline.CLEAR=Clear net +# suppress inspection "UnusedProperty" +network.transport.headline.TOR=Tor +# suppress inspection "UnusedProperty" +network.transport.headline.I2P=I2P + +network.transport.traffic.sent.headline=Outbound traffic of last hour +network.transport.traffic.sent.details=Data sent: {0}\n\ + Time for message sending: {1}\n\ + Number of messages: {2}\n\ + Number of messages by class name:\ + {3}\n\ + Number of distributed data by class name:\ + {4} +network.transport.traffic.received.headline=Inbound traffic of last hour +network.transport.traffic.received.details=Data received: {0}\n\ + Time for message deserialization: {1}\n\ + Number of messages: {2}\n\ + Number of messages by class name:\ + {3}\n\ + Number of distributed data by class name:\ + {4} + +network.transport.pow.headline=Proof of work +network.transport.pow.details=Total time spent: {0}\n\ + Average time per message: {1}\n\ + Number of messages: {2} + +network.transport.systemLoad.headline=System load +network.transport.systemLoad.details=Size of persisted network data: {0}\n\ + Current network load: {1}\n\ + Average network load: {2} + +network.header.nodeTag=Identity tag +network.header.nodeTag.tooltip=Identity tag: {0} + +network.connections.title=Connections +network.connections.header.peer=Peer +network.connections.header.address=Address +network.connections.header.connectionDirection=In/Out +network.connections.header.rtt=RTT +network.connections.header.sentHeader=Sent +network.connections.header.receivedHeader=Received +network.connections.inbound=Inbound +network.connections.outbound=Outbound +network.connections.ioData={0} / {1} Messages +network.connections.seed=Seed node + +network.nodeInfo.myAddress=My default address +network.nodes.title=My nodes +network.nodes.header.address=Server address +network.nodes.header.keyId=Key ID +network.nodes.header.numConnections=Number of Connections +network.nodes.header.type=Type +network.nodes.type.active=User node (active) +network.nodes.type.retired=User node (retired) +network.nodes.type.default=Gossip node + + + diff --git a/shared/domain/src/commonMain/resources/mobile/network_af_ZA.properties b/shared/domain/src/commonMain/resources/mobile/network_af_ZA.properties new file mode 100644 index 00000000..b950cc69 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/network_af_ZA.properties @@ -0,0 +1,61 @@ +#################################################################### +# Network +#################################################################### + +network.myNetworkNode=My netwerknode +network.p2pNetwork=P2P-netwerk +network.roles=Verbonde rolle +network.nodes=Infrastruktuur nodes + +network.version.headline=Weergawe verspreiding +network.version.versionDistribution.version=Weergawe {0} +network.version.versionDistribution.oldVersions=2.0.4 (of laer) +network.version.versionDistribution.tooltipLine={0} gebruikersprofiele met weergawe ''{1}'' +network.version.localVersion.headline=Plaaslike weergawe-inligting +network.version.localVersion.details=Bisq weergawe: v{0}\nCommit hash: {1}\nTor weergawe: v{2} + +# suppress inspection "UnusedProperty" +network.transport.headline.CLEAR=Duidelike netwerk +# suppress inspection "UnusedProperty" +network.transport.headline.TOR=Tor +# suppress inspection "UnusedProperty" +network.transport.headline.I2P=I2P + +network.transport.traffic.sent.headline=Uitgaande verkeer van laaste uur +network.transport.traffic.sent.details=Data gestuur: {0}\nTyd vir boodskap stuur: {1}\nAantal boodskappe: {2}\nAantal boodskappe volgens klasnaam:{3}\nAantal verspreide data volgens klasnaam:{4} +network.transport.traffic.received.headline=Inkomende verkeer van laaste uur +network.transport.traffic.received.details=Data ontvang: {0}\nTyd vir boodskap deserialisering: {1}\nAantal boodskappe: {2}\nAantal boodskappe volgens klasnaam:{3}\nAantal verspreide data volgens klasnaam:{4} + +network.transport.pow.headline=Bewys van werk +network.transport.pow.details=Totale tyd spandeer: {0}\nGemiddelde tyd per boodskap: {1}\nAantal boodskappe: {2} + +network.transport.systemLoad.headline=Stelsellading +network.transport.systemLoad.details=Grootte van volgehoue netwerkdata: {0}\nHuidige netwerklas: {1}\nGemiddelde netwerklas: {2} + +network.header.nodeTag=Identiteitsmerk +network.header.nodeTag.tooltip=Identiteitsetiket: {0} + +network.connections.title=Verbindings +network.connections.header.peer=Peer +network.connections.header.address=Adres +network.connections.header.connectionDirection=In/Uit +network.connections.header.rtt=RTT +network.connections.header.sentHeader=Gestuur +network.connections.header.receivedHeader=Ontvang +network.connections.inbound=Inkomend +network.connections.outbound=Uitgaande +network.connections.ioData={0} / {1} Boodskappe +network.connections.seed=Saadnode + +network.nodeInfo.myAddress=My standaard adres +network.nodes.title=My nodes +network.nodes.header.address=Bedieneradres +network.nodes.header.keyId=Sleutel-ID +network.nodes.header.numConnections=Aantal Verbindinge +network.nodes.header.type=Tipe +network.nodes.type.active=Gebruiker node (aktief) +network.nodes.type.retired=Gebruiker node (afgetree) +network.nodes.type.default=Gossip-knoop + + + diff --git a/shared/domain/src/commonMain/resources/mobile/network_cs.properties b/shared/domain/src/commonMain/resources/mobile/network_cs.properties new file mode 100644 index 00000000..4ad7d7cd --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/network_cs.properties @@ -0,0 +1,61 @@ +#################################################################### +# Network +#################################################################### + +network.myNetworkNode=Můj síťový uzel +network.p2pNetwork=P2P síť +network.roles=Připojené role +network.nodes=Infrastrukturní uzly + +network.version.headline=Distribuce verzí +network.version.versionDistribution.version=Verze {0} +network.version.versionDistribution.oldVersions=2.0.4 (nebo starší) +network.version.versionDistribution.tooltipLine={0} uživatelských profilů s verzí ''{1}'' +network.version.localVersion.headline=Informace o lokální verzi +network.version.localVersion.details=Verze Bisq: v{0}\nCommit hash: {1}\nVerze Tor: v{2} + +# suppress inspection "UnusedProperty" +network.transport.headline.CLEAR=Clearnet +# suppress inspection "UnusedProperty" +network.transport.headline.TOR=Tor +# suppress inspection "UnusedProperty" +network.transport.headline.I2P=I2P + +network.transport.traffic.sent.headline=Odchozí provoz za poslední hodinu +network.transport.traffic.sent.details=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.transport.traffic.received.headline=Příchozí provoz za poslední hodinu +network.transport.traffic.received.details=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.transport.pow.headline=Důkaz práce +network.transport.pow.details=Celkový strávený čas: {0}\nPrůměrný čas na zprávu: {1}\nPočet zpráv: {2} + +network.transport.systemLoad.headline=Zatížení systému +network.transport.systemLoad.details=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.header.nodeTag=Značka identity +network.header.nodeTag.tooltip=Značka identity: {0} + +network.connections.title=Spojení +network.connections.header.peer=Partner +network.connections.header.address=Adresa +network.connections.header.connectionDirection=Vstup/Výstup +network.connections.header.rtt=RTT +network.connections.header.sentHeader=Odesláno +network.connections.header.receivedHeader=Přijato +network.connections.inbound=Příchozí +network.connections.outbound=Odchozí +network.connections.ioData={0} / {1} Zprávy +network.connections.seed=Seed uzel + +network.nodeInfo.myAddress=Moje výchozí adresa +network.nodes.title=Mé uzly +network.nodes.header.address=Adresa serveru +network.nodes.header.keyId=ID klíče +network.nodes.header.numConnections=Počet spojení +network.nodes.header.type=Typ +network.nodes.type.active=Uživatelský uzel (aktivní) +network.nodes.type.retired=Uživatelský uzel (odstavený) +network.nodes.type.default=Gossip uzel + + + diff --git a/shared/domain/src/commonMain/resources/mobile/network_de.properties b/shared/domain/src/commonMain/resources/mobile/network_de.properties new file mode 100644 index 00000000..d29b3ef1 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/network_de.properties @@ -0,0 +1,61 @@ +#################################################################### +# Network +#################################################################### + +network.myNetworkNode=Mein Netzwerkknoten +network.p2pNetwork=P2P-Netzwerk +network.roles=Rollen mit hinterlegtem Pfand +network.nodes=Infrastrukturknoten + +network.version.headline=Versionsverteilung +network.version.versionDistribution.version=Version {0} +network.version.versionDistribution.oldVersions=2.0.4 (oder früher) +network.version.versionDistribution.tooltipLine={0} Benutzerprofile mit Version ''{1}'' +network.version.localVersion.headline=Lokale Versionsinfo +network.version.localVersion.details=Bisq Version: v{0}\nCommit-Hash: {1}\nTor Version: v{2} + +# suppress inspection "UnusedProperty" +network.transport.headline.CLEAR=Klar-Netz +# suppress inspection "UnusedProperty" +network.transport.headline.TOR=Tor +# suppress inspection "UnusedProperty" +network.transport.headline.I2P=I2P + +network.transport.traffic.sent.headline=Ausgehender Verkehr der letzten Stunde +network.transport.traffic.sent.details=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.transport.traffic.received.headline=Eingehender Verkehr der letzten Stunde +network.transport.traffic.received.details=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.transport.pow.headline=Arbeitsnachweis +network.transport.pow.details=Gesamtzeit: {0}\nDurchschnittliche Zeit pro Nachricht: {1}\nAnzahl der Nachrichten: {2} + +network.transport.systemLoad.headline=Systemauslastung +network.transport.systemLoad.details=Größe der gespeicherten Netzdaten: {0}\nAktuelle Netzauslastung: {1}\nDurchschnittliche Netzauslastung: {2} + +network.header.nodeTag=Knotenbezeichnung +network.header.nodeTag.tooltip=Identitätsbezeichnung: {0} + +network.connections.title=Verbindungen +network.connections.header.peer=Peer +network.connections.header.address=Adresse +network.connections.header.connectionDirection=Eingehend/Ausgehend +network.connections.header.rtt=RTT +network.connections.header.sentHeader=Gesendet +network.connections.header.receivedHeader=Empfangen +network.connections.inbound=Eingehend +network.connections.outbound=Ausgehend +network.connections.ioData={0} / {1} Nachrichten +network.connections.seed=Seed-Knoten + +network.nodeInfo.myAddress=Meine Standardadresse +network.nodes.title=Meine Knoten +network.nodes.header.address=Serveradresse +network.nodes.header.keyId=Schlüssel-ID +network.nodes.header.numConnections=Anzahl der Verbindungen +network.nodes.header.type=Typ +network.nodes.type.active=Benutzerknoten (aktiv) +network.nodes.type.retired=Benutzerknoten (nicht aktiv) +network.nodes.type.default=Gossip-Knoten + + + diff --git a/shared/domain/src/commonMain/resources/mobile/network_es.properties b/shared/domain/src/commonMain/resources/mobile/network_es.properties new file mode 100644 index 00000000..df5228b8 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/network_es.properties @@ -0,0 +1,61 @@ +#################################################################### +# Network +#################################################################### + +network.myNetworkNode=Mi nodo de la red +network.p2pNetwork=Red P2P +network.roles=Roles con fianza +network.nodes=Nodos de infraestructura + +network.version.headline=Distribución de versiones +network.version.versionDistribution.version=Versión {0} +network.version.versionDistribution.oldVersions=2.0.4 (o anteriores) +network.version.versionDistribution.tooltipLine={0} perfiles de usuario con versión ''{1}'' +network.version.localVersion.headline=Información de la versión local +network.version.localVersion.details=Versión de Bisq: v{0}\nHash de commit: {1}\nVersión de Tor: v{2} + +# suppress inspection "UnusedProperty" +network.transport.headline.CLEAR=Red clara +# suppress inspection "UnusedProperty" +network.transport.headline.TOR=Tor +# suppress inspection "UnusedProperty" +network.transport.headline.I2P=I2P + +network.transport.traffic.sent.headline=Tráfico saliente de la última hora +network.transport.traffic.sent.details=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.transport.traffic.received.headline=Tráfico entrante de la última hora +network.transport.traffic.received.details=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.transport.pow.headline=Prueba de trabajo +network.transport.pow.details=Tiempo total gastado: {0}\nTiempo promedio por mensaje: {1}\nNúmero de mensajes: {2} + +network.transport.systemLoad.headline=Carga del sistema +network.transport.systemLoad.details=Tamaño de los datos de red persistidos: {0}\nCarga actual de la red: {1}\nCarga promedio de la red: {2} + +network.header.nodeTag=Etiqueta de identidad +network.header.nodeTag.tooltip=Etiqueta de identidad: {0} + +network.connections.title=Conexiones +network.connections.header.peer=Usuario +network.connections.header.address=Dirección +network.connections.header.connectionDirection=Entrada/Salida +network.connections.header.rtt=RTT +network.connections.header.sentHeader=Enviado +network.connections.header.receivedHeader=Recibido +network.connections.inbound=Entrante +network.connections.outbound=Saliente +network.connections.ioData={0} / {1} Mensajes +network.connections.seed=Nodo semilla + +network.nodeInfo.myAddress=Mi dirección predeterminada +network.nodes.title=Mis nodos +network.nodes.header.address=Dirección del servidor +network.nodes.header.keyId=ID de clave +network.nodes.header.numConnections=Número de conexiones +network.nodes.header.type=Tipo +network.nodes.type.active=Nodo de usuario (activo) +network.nodes.type.retired=Nodo de usuario (retirado) +network.nodes.type.default=Nodo Gossip + + + diff --git a/shared/domain/src/commonMain/resources/mobile/network_it.properties b/shared/domain/src/commonMain/resources/mobile/network_it.properties new file mode 100644 index 00000000..79ea65bc --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/network_it.properties @@ -0,0 +1,61 @@ +#################################################################### +# Network +#################################################################### + +network.myNetworkNode=Il mio nodo di rete +network.p2pNetwork=Rete P2P +network.roles=Ruoli garantiti +network.nodes=Nodi di infrastruttura + +network.version.headline=Distribuzione delle versioni +network.version.versionDistribution.version=Versione {0} +network.version.versionDistribution.oldVersions=2.0.4 (o precedenti) +network.version.versionDistribution.tooltipLine={0} profili utente con versione ''{1}'' +network.version.localVersion.headline=Informazioni sulla versione locale +network.version.localVersion.details=Versione di Bisq: v{0}\nHash di commit: {1}\nVersione Tor: v{2} + +# suppress inspection "UnusedProperty" +network.transport.headline.CLEAR=Rete chiara +# suppress inspection "UnusedProperty" +network.transport.headline.TOR=Tor +# suppress inspection "UnusedProperty" +network.transport.headline.I2P=I2P + +network.transport.traffic.sent.headline=Traffico in uscita dell'ultima ora +network.transport.traffic.sent.details=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.transport.traffic.received.headline=Traffico in entrata dell'ultima ora +network.transport.traffic.received.details=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.transport.pow.headline=Prova di lavoro +network.transport.pow.details=Tempo totale trascorso: {0}\nTempo medio per messaggio: {1}\nNumero di messaggi: {2} + +network.transport.systemLoad.headline=Carico di sistema +network.transport.systemLoad.details=Dimensione dei dati di rete persistenti: {0}\nCarico di rete attuale: {1}\nCarico medio della rete: {2} + +network.header.nodeTag=Tag del nodo +network.header.nodeTag.tooltip=Tag di identità: {0} + +network.connections.title=Connessioni +network.connections.header.peer=Partner +network.connections.header.address=Indirizzo +network.connections.header.connectionDirection=Entrata/Uscita +network.connections.header.rtt=RTT +network.connections.header.sentHeader=Inviato +network.connections.header.receivedHeader=Ricevuto +network.connections.inbound=In entrata +network.connections.outbound=In uscita +network.connections.ioData={0} / {1} Messaggi +network.connections.seed=Nodo seed + +network.nodeInfo.myAddress=Mio indirizzo predefinito +network.nodes.title=I miei nodi +network.nodes.header.address=Indirizzo del server +network.nodes.header.keyId=ID chiave +network.nodes.header.numConnections=Numero di connessioni +network.nodes.header.type=Tipo +network.nodes.type.active=Nodo utente (attivo) +network.nodes.type.retired=Nodo utente (in pensione) +network.nodes.type.default=Nodo Gossip + + + diff --git a/shared/domain/src/commonMain/resources/mobile/network_pcm.properties b/shared/domain/src/commonMain/resources/mobile/network_pcm.properties new file mode 100644 index 00000000..f9193412 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/network_pcm.properties @@ -0,0 +1,61 @@ +#################################################################### +# Network +#################################################################### + +network.myNetworkNode=Ma netwok node +network.p2pNetwork=P2P netwok +network.roles=Bonded roles +network.nodes=Infrastaksha Nodes + +network.version.headline=Vershon distribushon +network.version.versionDistribution.version=Vershon {0} +network.version.versionDistribution.oldVersions=2.0.4 (or below) +network.version.versionDistribution.tooltipLine={0} user profile wey get version ''{1}'' +network.version.localVersion.headline=Lokal versiyn info +network.version.localVersion.details=Bisq versiyn: v{0}\nCommit hash: {1}\nTor versiyn: v{2} + +# suppress inspection "UnusedProperty" +network.transport.headline.CLEAR=Klia net +# suppress inspection "UnusedProperty" +network.transport.headline.TOR=Tor +# suppress inspection "UnusedProperty" +network.transport.headline.I2P=I2P + +network.transport.traffic.sent.headline=Outbound traffic for last hour +network.transport.traffic.sent.details=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.transport.traffic.received.headline=Inbound traffic for last hour +network.transport.traffic.received.details=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.transport.pow.headline=Proof of Work +network.transport.pow.details=Total time wey dem spend: {0}\nAverage time per message: {1}\nNumber of messages: {2} + +network.transport.systemLoad.headline=Sistem load +network.transport.systemLoad.details=Size of data wey dem save for network: {0}\nCurrent network load: {1}\nAverage network load: {2} + +network.header.nodeTag=Identity Tag +network.header.nodeTag.tooltip=Identity Tag: {0} + +network.connections.title=Konekshons +network.connections.header.peer=Peer +network.connections.header.address=Adrees +network.connections.header.connectionDirection=In/Otside +network.connections.header.rtt=RTT +network.connections.header.sentHeader=Send +network.connections.header.receivedHeader=Receiv +network.connections.inbound=Inbound +network.connections.outbound=Otside +network.connections.ioData={0} / {1} Mensij +network.connections.seed=Seed node + +network.nodeInfo.myAddress=My Default Address +network.nodes.title=My Nodes +network.nodes.header.address=Server Address +network.nodes.header.keyId=Key ID +network.nodes.header.numConnections=Number Of Connections +network.nodes.header.type=Type +network.nodes.type.active=User Node (Active) +network.nodes.type.retired=User Node (Retired) +network.nodes.type.default=Gossip Node + + + diff --git a/shared/domain/src/commonMain/resources/mobile/network_pt_BR.properties b/shared/domain/src/commonMain/resources/mobile/network_pt_BR.properties new file mode 100644 index 00000000..cb35776f --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/network_pt_BR.properties @@ -0,0 +1,61 @@ +#################################################################### +# Network +#################################################################### + +network.myNetworkNode=Meu nó de rede +network.p2pNetwork=Rede P2P +network.roles=Papéis vinculados +network.nodes=Nós de infraestrutura + +network.version.headline=Distribuição de versão +network.version.versionDistribution.version=Versão {0} +network.version.versionDistribution.oldVersions=2.0.4 (ou abaixo) +network.version.versionDistribution.tooltipLine={0} perfis de usuários com a versão ''{1}'' +network.version.localVersion.headline=Informações da versão local +network.version.localVersion.details=Versão Bisq: v{0}\nHash de commit: {1}\nVersão Tor: v{2} + +# suppress inspection "UnusedProperty" +network.transport.headline.CLEAR=Rede clara +# suppress inspection "UnusedProperty" +network.transport.headline.TOR=Tor +# suppress inspection "UnusedProperty" +network.transport.headline.I2P=I2P + +network.transport.traffic.sent.headline=Tráfego de saída da última hora +network.transport.traffic.sent.details=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.transport.traffic.received.headline=Tráfego de entrada da última hora +network.transport.traffic.received.details=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.transport.pow.headline=Prova de trabalho +network.transport.pow.details=Tempo total gasto: {0}\nTempo médio por mensagem: {1}\nNúmero de mensagens: {2} + +network.transport.systemLoad.headline=Carga do sistema +network.transport.systemLoad.details=Tamanho dos dados de rede persistidos: {0}\nCarga atual da rede: {1}\nCarga média da rede: {2} + +network.header.nodeTag=Tag de identidade +network.header.nodeTag.tooltip=Tag de identidade: {0} + +network.connections.title=Conexões +network.connections.header.peer=Par +network.connections.header.address=Endereço +network.connections.header.connectionDirection=Entrada/Saída +network.connections.header.rtt=RTT +network.connections.header.sentHeader=Enviado +network.connections.header.receivedHeader=Recebido +network.connections.inbound=Entrada +network.connections.outbound=Saída +network.connections.ioData={0} / {1} Mensagens +network.connections.seed=Nó seed + +network.nodeInfo.myAddress=Meu endereço padrão +network.nodes.title=Meus nós +network.nodes.header.address=Endereço do servidor +network.nodes.header.keyId=ID da Chave +network.nodes.header.numConnections=Número de Conexões +network.nodes.header.type=Tipo +network.nodes.type.active=Nó do Usuário (ativo) +network.nodes.type.retired=Nó do Usuário (aposentado) +network.nodes.type.default=Nó de Fofoca + + + diff --git a/shared/domain/src/commonMain/resources/mobile/network_ru.properties b/shared/domain/src/commonMain/resources/mobile/network_ru.properties new file mode 100644 index 00000000..66f2d23a --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/network_ru.properties @@ -0,0 +1,61 @@ +#################################################################### +# Network +#################################################################### + +network.myNetworkNode=Мой сетевой узел +network.p2pNetwork=Сеть P2P +network.roles=Связанные роли +network.nodes=Узлы инфраструктуры + +network.version.headline=Распространение версий +network.version.versionDistribution.version=Версия {0} +network.version.versionDistribution.oldVersions=2.0.4 (или ниже) +network.version.versionDistribution.tooltipLine={0} профилей пользователей с версией ''{1}'' +network.version.localVersion.headline=Информация о локальной версии +network.version.localVersion.details=Версия Bisq: v{0}\nКомментарий хэша: {1}\nВерсия Tor: v{2} + +# suppress inspection "UnusedProperty" +network.transport.headline.CLEAR=Чистая сеть +# suppress inspection "UnusedProperty" +network.transport.headline.TOR=Tor +# suppress inspection "UnusedProperty" +network.transport.headline.I2P=I2P + +network.transport.traffic.sent.headline=Исходящий трафик за последний час +network.transport.traffic.sent.details=Отправленные данные: {0}\nВремя отправки сообщения: {1}\nКоличество сообщений: {2}\nКоличество сообщений по имени класса:{3}\nКоличество распределенных данных по имени класса:{4} +network.transport.traffic.received.headline=Входящий трафик за последний час +network.transport.traffic.received.details=Данные получены: {0}\nВремя десериализации сообщения: {1}\nКоличество сообщений: {2}\nКоличество сообщений по имени класса:{3}\nКоличество распределенных данных по именам классов:{4} + +network.transport.pow.headline=Доказательство работы +network.transport.pow.details=Всего потрачено времени: {0}\nСреднее время на одно сообщение: {1}\nКоличество сообщений: {2} + +network.transport.systemLoad.headline=Загрузка системы +network.transport.systemLoad.details=Размер сохраняемых сетевых данных: {0}\nТекущая загрузка сети: {1}\nСредняя нагрузка на сеть: {2} + +network.header.nodeTag=Идентификационный тег +network.header.nodeTag.tooltip=Идентификационный тег: {0} + +network.connections.title=Соединения +network.connections.header.peer=Сверстник +network.connections.header.address=Адрес +network.connections.header.connectionDirection=Вход/выход +network.connections.header.rtt=RTT +network.connections.header.sentHeader=Отправлено +network.connections.header.receivedHeader=Получено +network.connections.inbound=Входящие +network.connections.outbound=Исходящие +network.connections.ioData={0} / {1} Сообщения +network.connections.seed=Посевной узел + +network.nodeInfo.myAddress=Мой адрес по умолчанию +network.nodes.title=Мои узлы +network.nodes.header.address=Адрес сервера +network.nodes.header.keyId=Идентификатор ключа +network.nodes.header.numConnections=Количество подключений +network.nodes.header.type=Тип +network.nodes.type.active=Пользовательский узел (активный) +network.nodes.type.retired=Пользовательский узел (на пенсии) +network.nodes.type.default=Сплетенный узел + + + diff --git a/shared/domain/src/commonMain/resources/mobile/offer.properties b/shared/domain/src/commonMain/resources/mobile/offer.properties new file mode 100644 index 00000000..03ed11cf --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/offer.properties @@ -0,0 +1,18 @@ +################################################################################ +# +# Offer +# +################################################################################ + +################################################################################ +# Price Spec Formatter +################################################################################ + +offer.priceSpecFormatter.fixPrice=Offer with fixed price\ + \n{0} +offer.priceSpecFormatter.marketPrice=At market price\ + \n{0} +offer.priceSpecFormatter.floatPrice.above={0} above market price\ + \n{1} +offer.priceSpecFormatter.floatPrice.below={0} below market price\ + \n{1} diff --git a/shared/domain/src/commonMain/resources/mobile/payment_method.properties b/shared/domain/src/commonMain/resources/mobile/payment_method.properties new file mode 100644 index 00000000..98da0866 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/payment_method.properties @@ -0,0 +1,175 @@ +## Enum from FiatPaymentMethod + +# Generic terms +# suppress inspection "UnusedProperty" +NATIONAL_BANK=National bank transfer +# suppress inspection "UnusedProperty" +INTERNATIONAL_BANK=International bank transfer +# suppress inspection "UnusedProperty" +SAME_BANK=Transfer with same bank +# suppress inspection "UnusedProperty" +SPECIFIC_BANKS=Transfers with specific banks +# suppress inspection "UnusedProperty" +US_POSTAL_MONEY_ORDER=US Postal Money Order +# suppress inspection "UnusedProperty" +CASH_DEPOSIT=Cash Deposit +# suppress inspection "UnusedProperty" +CASH_BY_MAIL=Cash By Mail +# suppress inspection "UnusedProperty" +MONEY_GRAM=MoneyGram +# suppress inspection "UnusedProperty" +WESTERN_UNION=Western Union +# suppress inspection "UnusedProperty" +F2F=Face to face (in person) +# suppress inspection "UnusedProperty" +JAPAN_BANK=Japan Bank Furikomi +# suppress inspection "UnusedProperty" +PAY_ID=PayID + +# Generic terms short +# suppress inspection "UnusedProperty" +NATIONAL_BANK_SHORT=National banks +# suppress inspection "UnusedProperty" +INTERNATIONAL_BANK_SHORT=International banks +# suppress inspection "UnusedProperty" +SAME_BANK_SHORT=Same bank +# suppress inspection "UnusedProperty" +SPECIFIC_BANKS_SHORT=Specific banks +# suppress inspection "UnusedProperty" +US_POSTAL_MONEY_ORDER_SHORT=US Money Order +# suppress inspection "UnusedProperty" +CASH_DEPOSIT_SHORT=Cash Deposit +# suppress inspection "UnusedProperty" +CASH_BY_MAIL_SHORT=Cash By Mail +# suppress inspection "UnusedProperty" +MONEY_GRAM_SHORT=MoneyGram +# suppress inspection "UnusedProperty" +WESTERN_UNION_SHORT=Western Union +# suppress inspection "UnusedProperty" +F2F_SHORT=F2F +# suppress inspection "UnusedProperty" +JAPAN_BANK_SHORT=Japan Furikomi + +# Do not translate brand names +# suppress inspection "UnusedProperty" +UPHOLD=Uphold +# suppress inspection "UnusedProperty" +MONEY_BEAM=MoneyBeam (N26) +# suppress inspection "UnusedProperty" +POPMONEY=Popmoney +# suppress inspection "UnusedProperty" +REVOLUT=Revolut +# suppress inspection "UnusedProperty" +CASH_APP=Cash App +# suppress inspection "UnusedProperty" +PERFECT_MONEY=Perfect Money +# suppress inspection "UnusedProperty" +ALI_PAY=AliPay +# suppress inspection "UnusedProperty" +WECHAT_PAY=WeChat Pay +# suppress inspection "UnusedProperty" +SEPA=SEPA +# suppress inspection "UnusedProperty" +SEPA_INSTANT=SEPA Instant +# suppress inspection "UnusedProperty" +FASTER_PAYMENTS=Faster Payments +# suppress inspection "UnusedProperty" +SWISH=Swish +# suppress inspection "UnusedProperty" +ZELLE=Zelle +# suppress inspection "UnusedProperty" +CHASE_QUICK_PAY=Chase QuickPay +# suppress inspection "UnusedProperty" +INTERAC_E_TRANSFER=Interac e-Transfer +# suppress inspection "UnusedProperty" +HAL_CASH=HalCash +# suppress inspection "UnusedProperty" +PROMPT_PAY=PromptPay +# suppress inspection "UnusedProperty" +ADVANCED_CASH=Advanced Cash +# suppress inspection "UnusedProperty" +WISE=Wise +# suppress inspection "UnusedProperty" +WISE_USD=Wise-USD +# suppress inspection "UnusedProperty" +PAYSERA=Paysera +# suppress inspection "UnusedProperty" +PAXUM=Paxum +# suppress inspection "UnusedProperty" +NEFT=India/NEFT +# suppress inspection "UnusedProperty" +RTGS=India/RTGS +# suppress inspection "UnusedProperty" +IMPS=India/IMPS +# suppress inspection "UnusedProperty" +UPI=India/UPI +# suppress inspection "UnusedProperty" +PAYTM=India/PayTM +# suppress inspection "UnusedProperty" +NEQUI=Nequi +# suppress inspection "UnusedProperty +BIZUM=Bizum +# suppress inspection "UnusedProperty" +PIX=Pix +# suppress inspection "UnusedProperty" +AMAZON_GIFT_CARD=Amazon eGift Card +# suppress inspection "UnusedProperty" +CAPITUAL=Capitual +# suppress inspection "UnusedProperty" +CELPAY=CelPay +# suppress inspection "UnusedProperty" +MONESE=Monese +# suppress inspection "UnusedProperty" +SATISPAY=Satispay +# suppress inspection "UnusedProperty" +TIKKIE=Tikkie +# suppress inspection "UnusedProperty" +VERSE=Verse +# suppress inspection "UnusedProperty" +STRIKE=Strike +# suppress inspection "UnusedProperty" +SWIFT=SWIFT International Wire Transfer +# suppress inspection "UnusedProperty" +SWIFT_SHORT=SWIFT +# suppress inspection "UnusedProperty" +ACH_TRANSFER=ACH Transfer +# suppress inspection "UnusedProperty" +ACH_TRANSFER_SHORT=ACH +# suppress inspection "UnusedProperty" +DOMESTIC_WIRE_TRANSFER=Domestic Wire Transfer +# suppress inspection "UnusedProperty" +DOMESTIC_WIRE_TRANSFER_SHORT=Wire +# suppress inspection "UnusedProperty" +CIPS=Cross-Border Interbank Payment System +# suppress inspection "UnusedProperty" +CIPS_SHORT=CIPS + +## Enum from CryptoPaymentMethod +# suppress inspection "UnusedProperty" +NATIVE_CHAIN=Native chain +# suppress inspection "UnusedProperty" +NATIVE_CHAIN_SHORT=Native chain + +## Enum from BitcoinPaymentMethod +# suppress inspection "UnusedProperty" +MAIN_CHAIN=Bitcoin (onchain) +# suppress inspection "UnusedProperty" +MAIN_CHAIN_SHORT=Onchain +# suppress inspection "UnusedProperty" +LN=BTC over Lightning Network +# suppress inspection "UnusedProperty" +LN_SHORT=Lightning +# suppress inspection "UnusedProperty" +LBTC=L-BTC (Pegged BTC on Liquid side chain) +# suppress inspection "UnusedProperty" +LBTC_SHORT=Liquid +# suppress inspection "UnusedProperty" +RBTC=RBTC (Pegged BTC on RSK side chain) +# suppress inspection "UnusedProperty" +RBTC_SHORT=RSK +# suppress inspection "UnusedProperty" +WBTC=WBTC (wrapped BTC as ERC20 token) +# suppress inspection "UnusedProperty" +WBTC_SHORT=WBTC +# suppress inspection "UnusedProperty" +OTHER=Other diff --git a/shared/domain/src/commonMain/resources/mobile/payment_method_af_ZA.properties b/shared/domain/src/commonMain/resources/mobile/payment_method_af_ZA.properties new file mode 100644 index 00000000..32058cab --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/payment_method_af_ZA.properties @@ -0,0 +1,175 @@ +## Enum from FiatPaymentMethod + +# Generic terms +# suppress inspection "UnusedProperty" +NATIONAL_BANK=Transferencia bancaria nacional +# suppress inspection "UnusedProperty" +INTERNATIONAL_BANK=Transferencia bancaria internacional +# suppress inspection "UnusedProperty" +SAME_BANK=Transferencia con el mismo banco +# suppress inspection "UnusedProperty" +SPECIFIC_BANKS=Transferencias entre bancos específicos +# suppress inspection "UnusedProperty" +US_POSTAL_MONEY_ORDER=US Posgeldbestelling +# suppress inspection "UnusedProperty" +CASH_DEPOSIT=Depósito de efectivo +# suppress inspection "UnusedProperty" +CASH_BY_MAIL=Efectivo por Correo +# suppress inspection "UnusedProperty" +MONEY_GRAM=MoneyGram +# suppress inspection "UnusedProperty" +WESTERN_UNION=Western Union +# suppress inspection "UnusedProperty" +F2F=Cara a cara (en persona) +# suppress inspection "UnusedProperty" +JAPAN_BANK=Japan Furikomi +# suppress inspection "UnusedProperty" +PAY_ID=PayID + +# Generic terms short +# suppress inspection "UnusedProperty" +NATIONAL_BANK_SHORT=Bancos nacionales +# suppress inspection "UnusedProperty" +INTERNATIONAL_BANK_SHORT=Bancos internacionales +# suppress inspection "UnusedProperty" +SAME_BANK_SHORT=Mismo banco +# suppress inspection "UnusedProperty" +SPECIFIC_BANKS_SHORT=Bancos específicos +# suppress inspection "UnusedProperty" +US_POSTAL_MONEY_ORDER_SHORT=US Money Order +# suppress inspection "UnusedProperty" +CASH_DEPOSIT_SHORT=Depósito de efectivo +# suppress inspection "UnusedProperty" +CASH_BY_MAIL_SHORT=Efectivo por Correo +# suppress inspection "UnusedProperty" +MONEY_GRAM_SHORT=MoneyGram +# suppress inspection "UnusedProperty" +WESTERN_UNION_SHORT=Western Union +# suppress inspection "UnusedProperty" +F2F_SHORT=F2F (cara a cara) +# suppress inspection "UnusedProperty" +JAPAN_BANK_SHORT=Japan Furikomi + +# Do not translate brand names +# suppress inspection "UnusedProperty" +UPHOLD=Uphold +# suppress inspection "UnusedProperty" +MONEY_BEAM=MoneyBeam (N26) +# suppress inspection "UnusedProperty" +POPMONEY=Popmoney +# suppress inspection "UnusedProperty" +REVOLUT=Revolut +# suppress inspection "UnusedProperty" +CASH_APP=Cash App +# suppress inspection "UnusedProperty" +PERFECT_MONEY=Perfect Money +# suppress inspection "UnusedProperty" +ALI_PAY=AliPay +# suppress inspection "UnusedProperty" +WECHAT_PAY=WeChat Pay +# suppress inspection "UnusedProperty" +SEPA=SEPA +# suppress inspection "UnusedProperty" +SEPA_INSTANT=SEPA Instant +# suppress inspection "UnusedProperty" +FASTER_PAYMENTS=Vinniger Betalings +# suppress inspection "UnusedProperty" +SWISH=Swish +# suppress inspection "UnusedProperty" +ZELLE=Zelle +# suppress inspection "UnusedProperty" +CHASE_QUICK_PAY=Chase QuickPay +# suppress inspection "UnusedProperty" +INTERAC_E_TRANSFER=Interac e-Transfer +# suppress inspection "UnusedProperty" +HAL_CASH=HalCash +# suppress inspection "UnusedProperty" +PROMPT_PAY=PromptPay +# suppress inspection "UnusedProperty" +ADVANCED_CASH=Gevorderde Kontant +# suppress inspection "UnusedProperty" +WISE=Wyse +# suppress inspection "UnusedProperty" +WISE_USD=Wise-USD +# suppress inspection "UnusedProperty" +PAYSERA=Paysera +# suppress inspection "UnusedProperty" +PAXUM=Paxum +# suppress inspection "UnusedProperty" +NEFT=Indië/NEFT +# suppress inspection "UnusedProperty" +RTGS=Indië/RTGS +# suppress inspection "UnusedProperty" +IMPS=Indië/IMPS +# suppress inspection "UnusedProperty" +UPI=Indië/UPI +# suppress inspection "UnusedProperty" +PAYTM=Indië/PayTM +# suppress inspection "UnusedProperty" +NEQUI=Nequi +# suppress inspection "UnusedProperty +BIZUM=Bizum +# suppress inspection "UnusedProperty" +PIX=Pix +# suppress inspection "UnusedProperty" +AMAZON_GIFT_CARD=Tarjeta eGift Amazon +# suppress inspection "UnusedProperty" +CAPITUAL=Kapitaal +# suppress inspection "UnusedProperty" +CELPAY=CelPay +# suppress inspection "UnusedProperty" +MONESE=Monese +# suppress inspection "UnusedProperty" +SATISPAY=Satispay +# suppress inspection "UnusedProperty" +TIKKIE=Tikkie +# suppress inspection "UnusedProperty" +VERSE=Verse +# suppress inspection "UnusedProperty" +STRIKE=Slaan +# suppress inspection "UnusedProperty" +SWIFT=SWIFT Internasionale Wire Transfer +# suppress inspection "UnusedProperty" +SWIFT_SHORT=SWIFT +# suppress inspection "UnusedProperty" +ACH_TRANSFER=ACH Transfer +# suppress inspection "UnusedProperty" +ACH_TRANSFER_SHORT=ACH +# suppress inspection "UnusedProperty" +DOMESTIC_WIRE_TRANSFER=Binnelandse Oordrag +# suppress inspection "UnusedProperty" +DOMESTIC_WIRE_TRANSFER_SHORT=Draad +# suppress inspection "UnusedProperty" +CIPS=Grensoverschrijdende interbank betalingsstelsel +# suppress inspection "UnusedProperty" +CIPS_SHORT=CIPS + +## Enum from CryptoPaymentMethod +# suppress inspection "UnusedProperty" +NATIVE_CHAIN=Cadena nativa +# suppress inspection "UnusedProperty" +NATIVE_CHAIN_SHORT=Cadena nativa + +## Enum from BitcoinPaymentMethod +# suppress inspection "UnusedProperty" +MAIN_CHAIN=Bitcoin (onchain) +# suppress inspection "UnusedProperty" +MAIN_CHAIN_SHORT=Onchain +# suppress inspection "UnusedProperty" +LN=BTC a través de Lightning Network +# suppress inspection "UnusedProperty" +LN_SHORT=Blits +# suppress inspection "UnusedProperty" +LBTC=L-BTC (BTC pegado en la cadena lateral Liquid) +# suppress inspection "UnusedProperty" +LBTC_SHORT=Liquid +# suppress inspection "UnusedProperty" +RBTC=RBTC (BTC pegado en la cadena lateral RSK) +# suppress inspection "UnusedProperty" +RBTC_SHORT=RSK +# suppress inspection "UnusedProperty" +WBTC=WBTC (BTC envuelto como un token ERC20) +# suppress inspection "UnusedProperty" +WBTC_SHORT=WBTC +# suppress inspection "UnusedProperty" +OTHER=Otras diff --git a/shared/domain/src/commonMain/resources/mobile/payment_method_cs.properties b/shared/domain/src/commonMain/resources/mobile/payment_method_cs.properties new file mode 100644 index 00000000..60bc084e --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/payment_method_cs.properties @@ -0,0 +1,175 @@ +## Enum from FiatPaymentMethod + +# Generic terms +# suppress inspection "UnusedProperty" +NATIONAL_BANK=Převod přes národní banku +# suppress inspection "UnusedProperty" +INTERNATIONAL_BANK=Mezinárodní bankovní převod +# suppress inspection "UnusedProperty" +SAME_BANK=Převod ve stejné bance +# suppress inspection "UnusedProperty" +SPECIFIC_BANKS=Převody se specifickými bankami +# suppress inspection "UnusedProperty" +US_POSTAL_MONEY_ORDER=Poštovní poukázka US +# suppress inspection "UnusedProperty" +CASH_DEPOSIT=Vklad v hotovosti +# suppress inspection "UnusedProperty" +CASH_BY_MAIL=Hotovost poštou +# suppress inspection "UnusedProperty" +MONEY_GRAM=MoneyGram +# suppress inspection "UnusedProperty" +WESTERN_UNION=Western Union +# suppress inspection "UnusedProperty" +F2F=Osobní setkání +# suppress inspection "UnusedProperty" +JAPAN_BANK=Převod Japan Bank Furikomi +# suppress inspection "UnusedProperty" +PAY_ID=PayID + +# Generic terms short +# suppress inspection "UnusedProperty" +NATIONAL_BANK_SHORT=Národní banky +# suppress inspection "UnusedProperty" +INTERNATIONAL_BANK_SHORT=Mezinárodní banky +# suppress inspection "UnusedProperty" +SAME_BANK_SHORT=Stejná banka +# suppress inspection "UnusedProperty" +SPECIFIC_BANKS_SHORT=Specifické banky +# suppress inspection "UnusedProperty" +US_POSTAL_MONEY_ORDER_SHORT=US Money Order +# suppress inspection "UnusedProperty" +CASH_DEPOSIT_SHORT=Vklad v hotovosti +# suppress inspection "UnusedProperty" +CASH_BY_MAIL_SHORT=HotovostPoštou +# suppress inspection "UnusedProperty" +MONEY_GRAM_SHORT=MoneyGram +# suppress inspection "UnusedProperty" +WESTERN_UNION_SHORT=Western Union +# suppress inspection "UnusedProperty" +F2F_SHORT=F2F +# suppress inspection "UnusedProperty" +JAPAN_BANK_SHORT=Japan Furikomi + +# Do not translate brand names +# suppress inspection "UnusedProperty" +UPHOLD=Uphold +# suppress inspection "UnusedProperty" +MONEY_BEAM=MoneyBeam (N26) +# suppress inspection "UnusedProperty" +POPMONEY=Popmoney +# suppress inspection "UnusedProperty" +REVOLUT=Revolut +# suppress inspection "UnusedProperty" +CASH_APP=Aplikace pro hotovost +# suppress inspection "UnusedProperty" +PERFECT_MONEY=Perfect Money +# suppress inspection "UnusedProperty" +ALI_PAY=AliPay +# suppress inspection "UnusedProperty" +WECHAT_PAY=WeChat Pay +# suppress inspection "UnusedProperty" +SEPA=SEPA +# suppress inspection "UnusedProperty" +SEPA_INSTANT=SEPA Instant +# suppress inspection "UnusedProperty" +FASTER_PAYMENTS=Faster Payments +# suppress inspection "UnusedProperty" +SWISH=Swish +# suppress inspection "UnusedProperty" +ZELLE=Zelle +# suppress inspection "UnusedProperty" +CHASE_QUICK_PAY=Chase QuickPay +# suppress inspection "UnusedProperty" +INTERAC_E_TRANSFER=Interac e-Transfer +# suppress inspection "UnusedProperty" +HAL_CASH=HalCash +# suppress inspection "UnusedProperty" +PROMPT_PAY=PromptPay +# suppress inspection "UnusedProperty" +ADVANCED_CASH=Advanced Cash +# suppress inspection "UnusedProperty" +WISE=Wise +# suppress inspection "UnusedProperty" +WISE_USD=Wise-USD +# suppress inspection "UnusedProperty" +PAYSERA=Paysera +# suppress inspection "UnusedProperty" +PAXUM=Paxum +# suppress inspection "UnusedProperty" +NEFT=Indie/NEFT +# suppress inspection "UnusedProperty" +RTGS=Indie/RTGS +# suppress inspection "UnusedProperty" +IMPS=Indie/IMPS +# suppress inspection "UnusedProperty" +UPI=Indie/UPI +# suppress inspection "UnusedProperty" +PAYTM=Indie/PayTM +# suppress inspection "UnusedProperty" +NEQUI=Nequi +# suppress inspection "UnusedProperty +BIZUM=Bizum +# suppress inspection "UnusedProperty" +PIX=Pix +# suppress inspection "UnusedProperty" +AMAZON_GIFT_CARD=Amazon eGift Card +# suppress inspection "UnusedProperty" +CAPITUAL=Capitual +# suppress inspection "UnusedProperty" +CELPAY=CelPay +# suppress inspection "UnusedProperty" +MONESE=Monese +# suppress inspection "UnusedProperty" +SATISPAY=Satispay +# suppress inspection "UnusedProperty" +TIKKIE=Tikkie +# suppress inspection "UnusedProperty" +VERSE=Verse +# suppress inspection "UnusedProperty" +STRIKE=Strike +# suppress inspection "UnusedProperty" +SWIFT=SWIFT International Wire Transfer +# suppress inspection "UnusedProperty" +SWIFT_SHORT=SWIFT +# suppress inspection "UnusedProperty" +ACH_TRANSFER=ACH Transfer +# suppress inspection "UnusedProperty" +ACH_TRANSFER_SHORT=ACH +# suppress inspection "UnusedProperty" +DOMESTIC_WIRE_TRANSFER=Domestic Wire Transfer +# suppress inspection "UnusedProperty" +DOMESTIC_WIRE_TRANSFER_SHORT=Wire +# suppress inspection "UnusedProperty" +CIPS=Cross-Border Interbank Payment System +# suppress inspection "UnusedProperty" +CIPS_SHORT=CIPS + +## Enum from CryptoPaymentMethod +# suppress inspection "UnusedProperty" +NATIVE_CHAIN=Nativní řetězec +# suppress inspection "UnusedProperty" +NATIVE_CHAIN_SHORT=Nativní řetězec + +## Enum from BitcoinPaymentMethod +# suppress inspection "UnusedProperty" +MAIN_CHAIN=Bitcoin (onchain) +# suppress inspection "UnusedProperty" +MAIN_CHAIN_SHORT=Onchain +# suppress inspection "UnusedProperty" +LN=BTC přes Lightning Network +# suppress inspection "UnusedProperty" +LN_SHORT=Lightning +# suppress inspection "UnusedProperty" +LBTC=L-BTC (BTC vázaný na Liquid vedlejší řetězec) +# suppress inspection "UnusedProperty" +LBTC_SHORT=Liquid +# suppress inspection "UnusedProperty" +RBTC=RBTC (BTC vázaný na RSK vedlejší řetězec) +# suppress inspection "UnusedProperty" +RBTC_SHORT=RSK +# suppress inspection "UnusedProperty" +WBTC=WBTC (obalený BTC jako ERC20 token) +# suppress inspection "UnusedProperty" +WBTC_SHORT=WBTC +# suppress inspection "UnusedProperty" +OTHER=Jiné diff --git a/shared/domain/src/commonMain/resources/mobile/payment_method_de.properties b/shared/domain/src/commonMain/resources/mobile/payment_method_de.properties new file mode 100644 index 00000000..5cac1138 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/payment_method_de.properties @@ -0,0 +1,175 @@ +## Enum from FiatPaymentMethod + +# Generic terms +# suppress inspection "UnusedProperty" +NATIONAL_BANK=Nationale Banküberweisung +# suppress inspection "UnusedProperty" +INTERNATIONAL_BANK=Internationale Banküberweisung +# suppress inspection "UnusedProperty" +SAME_BANK=Überweisung mit derselben Bank +# suppress inspection "UnusedProperty" +SPECIFIC_BANKS=Überweisungen mit bestimmten Banken +# suppress inspection "UnusedProperty" +US_POSTAL_MONEY_ORDER=US-Postanweisung +# suppress inspection "UnusedProperty" +CASH_DEPOSIT=Bareinzahlung +# suppress inspection "UnusedProperty" +CASH_BY_MAIL=Bar per Postversand +# suppress inspection "UnusedProperty" +MONEY_GRAM=MoneyGram +# suppress inspection "UnusedProperty" +WESTERN_UNION=Western Union +# suppress inspection "UnusedProperty" +F2F=Face-to-Face (persönlich) +# suppress inspection "UnusedProperty" +JAPAN_BANK=Japan Bank Furikomi +# suppress inspection "UnusedProperty" +PAY_ID=PayID + +# Generic terms short +# suppress inspection "UnusedProperty" +NATIONAL_BANK_SHORT=Nationale Banken +# suppress inspection "UnusedProperty" +INTERNATIONAL_BANK_SHORT=Internationale Banken +# suppress inspection "UnusedProperty" +SAME_BANK_SHORT=Selbe Bank +# suppress inspection "UnusedProperty" +SPECIFIC_BANKS_SHORT=Bestimmte Banken +# suppress inspection "UnusedProperty" +US_POSTAL_MONEY_ORDER_SHORT=US Money Order +# suppress inspection "UnusedProperty" +CASH_DEPOSIT_SHORT=Bareinzahlung +# suppress inspection "UnusedProperty" +CASH_BY_MAIL_SHORT=Bar per Post +# suppress inspection "UnusedProperty" +MONEY_GRAM_SHORT=MoneyGram +# suppress inspection "UnusedProperty" +WESTERN_UNION_SHORT=Western Union +# suppress inspection "UnusedProperty" +F2F_SHORT=F2F +# suppress inspection "UnusedProperty" +JAPAN_BANK_SHORT=Japan Furikomi + +# Do not translate brand names +# suppress inspection "UnusedProperty" +UPHOLD=Uphold +# suppress inspection "UnusedProperty" +MONEY_BEAM=MoneyBeam (N26) +# suppress inspection "UnusedProperty" +POPMONEY=Popmoney +# suppress inspection "UnusedProperty" +REVOLUT=Revolut +# suppress inspection "UnusedProperty" +CASH_APP=Cash App +# suppress inspection "UnusedProperty" +PERFECT_MONEY=Perfect Money +# suppress inspection "UnusedProperty" +ALI_PAY=AliPay +# suppress inspection "UnusedProperty" +WECHAT_PAY=WeChat Pay +# suppress inspection "UnusedProperty" +SEPA=SEPA +# suppress inspection "UnusedProperty" +SEPA_INSTANT=SEPA Instant +# suppress inspection "UnusedProperty" +FASTER_PAYMENTS=Faster Payments +# suppress inspection "UnusedProperty" +SWISH=Swish +# suppress inspection "UnusedProperty" +ZELLE=Zelle +# suppress inspection "UnusedProperty" +CHASE_QUICK_PAY=Chase QuickPay +# suppress inspection "UnusedProperty" +INTERAC_E_TRANSFER=Interac e-Transfer +# suppress inspection "UnusedProperty" +HAL_CASH=HalCash +# suppress inspection "UnusedProperty" +PROMPT_PAY=PromptPay +# suppress inspection "UnusedProperty" +ADVANCED_CASH=Advanced Cash +# suppress inspection "UnusedProperty" +WISE=Wise +# suppress inspection "UnusedProperty" +WISE_USD=Wise-USD +# suppress inspection "UnusedProperty" +PAYSERA=Paysera +# suppress inspection "UnusedProperty" +PAXUM=Paxum +# suppress inspection "UnusedProperty" +NEFT=Indien/NEFT +# suppress inspection "UnusedProperty" +RTGS=Indien/RTGS +# suppress inspection "UnusedProperty" +IMPS=Indien/IMPS +# suppress inspection "UnusedProperty" +UPI=Indien/UPI +# suppress inspection "UnusedProperty" +PAYTM=Indien/PayTM +# suppress inspection "UnusedProperty" +NEQUI=Nequi +# suppress inspection "UnusedProperty +BIZUM=Bizum +# suppress inspection "UnusedProperty" +PIX=Pix +# suppress inspection "UnusedProperty" +AMAZON_GIFT_CARD=Amazon eGift Card +# suppress inspection "UnusedProperty" +CAPITUAL=Capitual +# suppress inspection "UnusedProperty" +CELPAY=CelPay +# suppress inspection "UnusedProperty" +MONESE=Monese +# suppress inspection "UnusedProperty" +SATISPAY=Satispay +# suppress inspection "UnusedProperty" +TIKKIE=Tikkie +# suppress inspection "UnusedProperty" +VERSE=Verse +# suppress inspection "UnusedProperty" +STRIKE=Strike +# suppress inspection "UnusedProperty" +SWIFT=SWIFT International Wire Transfer +# suppress inspection "UnusedProperty" +SWIFT_SHORT=SWIFT +# suppress inspection "UnusedProperty" +ACH_TRANSFER=ACH Transfer +# suppress inspection "UnusedProperty" +ACH_TRANSFER_SHORT=ACH +# suppress inspection "UnusedProperty" +DOMESTIC_WIRE_TRANSFER=Domestic Wire Transfer +# suppress inspection "UnusedProperty" +DOMESTIC_WIRE_TRANSFER_SHORT=Wire +# suppress inspection "UnusedProperty" +CIPS=Cross-Border Interbank Payment System +# suppress inspection "UnusedProperty" +CIPS_SHORT=CIPS + +## Enum from CryptoPaymentMethod +# suppress inspection "UnusedProperty" +NATIVE_CHAIN=Nativer Kettenübertragung +# suppress inspection "UnusedProperty" +NATIVE_CHAIN_SHORT=Nativer Kettenübertragung + +## Enum from BitcoinPaymentMethod +# suppress inspection "UnusedProperty" +MAIN_CHAIN=Bitcoin (onchain) +# suppress inspection "UnusedProperty" +MAIN_CHAIN_SHORT=Onchain +# suppress inspection "UnusedProperty" +LN=BTC über Lightning Network +# suppress inspection "UnusedProperty" +LN_SHORT=Lightning +# suppress inspection "UnusedProperty" +LBTC=L-BTC (Gepflegtes BTC im Liquid-Seitennetz) +# suppress inspection "UnusedProperty" +LBTC_SHORT=Liquid +# suppress inspection "UnusedProperty" +RBTC=RBTC (Gepflegtes BTC im RSK-Seitennetz) +# suppress inspection "UnusedProperty" +RBTC_SHORT=RSK +# suppress inspection "UnusedProperty" +WBTC=WBTC (eingewickeltes BTC als ERC20-Token) +# suppress inspection "UnusedProperty" +WBTC_SHORT=WBTC +# suppress inspection "UnusedProperty" +OTHER=Andere diff --git a/shared/domain/src/commonMain/resources/mobile/payment_method_es.properties b/shared/domain/src/commonMain/resources/mobile/payment_method_es.properties new file mode 100644 index 00000000..e317766b --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/payment_method_es.properties @@ -0,0 +1,175 @@ +## Enum from FiatPaymentMethod + +# Generic terms +# suppress inspection "UnusedProperty" +NATIONAL_BANK=Transferencia bancaria nacional +# suppress inspection "UnusedProperty" +INTERNATIONAL_BANK=Transferencia bancaria internacional +# suppress inspection "UnusedProperty" +SAME_BANK=Transferencia con el mismo banco +# suppress inspection "UnusedProperty" +SPECIFIC_BANKS=Transferencias con bancos específicos +# suppress inspection "UnusedProperty" +US_POSTAL_MONEY_ORDER=Giro postal de EE. UU. +# suppress inspection "UnusedProperty" +CASH_DEPOSIT=Ingreso de efectivo +# suppress inspection "UnusedProperty" +CASH_BY_MAIL=Efectivo por correo +# suppress inspection "UnusedProperty" +MONEY_GRAM=MoneyGram +# suppress inspection "UnusedProperty" +WESTERN_UNION=Western Union +# suppress inspection "UnusedProperty" +F2F=En persona +# suppress inspection "UnusedProperty" +JAPAN_BANK=Japan Bank Furikomi +# suppress inspection "UnusedProperty" +PAY_ID=PayID + +# Generic terms short +# suppress inspection "UnusedProperty" +NATIONAL_BANK_SHORT=Bancos nacionales +# suppress inspection "UnusedProperty" +INTERNATIONAL_BANK_SHORT=Bancos internacionales +# suppress inspection "UnusedProperty" +SAME_BANK_SHORT=Mismo banco +# suppress inspection "UnusedProperty" +SPECIFIC_BANKS_SHORT=Bancos específicos +# suppress inspection "UnusedProperty" +US_POSTAL_MONEY_ORDER_SHORT=Giro postal de EE. UU. +# suppress inspection "UnusedProperty" +CASH_DEPOSIT_SHORT=Ingreso de efectivo +# suppress inspection "UnusedProperty" +CASH_BY_MAIL_SHORT=Efectivo por correo +# suppress inspection "UnusedProperty" +MONEY_GRAM_SHORT=MoneyGram +# suppress inspection "UnusedProperty" +WESTERN_UNION_SHORT=Western Union +# suppress inspection "UnusedProperty" +F2F_SHORT=En persona +# suppress inspection "UnusedProperty" +JAPAN_BANK_SHORT=Japan Furikomi + +# Do not translate brand names +# suppress inspection "UnusedProperty" +UPHOLD=Uphold +# suppress inspection "UnusedProperty" +MONEY_BEAM=MoneyBeam (N26) +# suppress inspection "UnusedProperty" +POPMONEY=Popmoney +# suppress inspection "UnusedProperty" +REVOLUT=Revolut +# suppress inspection "UnusedProperty" +CASH_APP=Cash App +# suppress inspection "UnusedProperty" +PERFECT_MONEY=Perfect Money +# suppress inspection "UnusedProperty" +ALI_PAY=AliPay +# suppress inspection "UnusedProperty" +WECHAT_PAY=WeChat Pay +# suppress inspection "UnusedProperty" +SEPA=SEPA +# suppress inspection "UnusedProperty" +SEPA_INSTANT=SEPA Instantánea +# suppress inspection "UnusedProperty" +FASTER_PAYMENTS=Faster Payments +# suppress inspection "UnusedProperty" +SWISH=Swish +# suppress inspection "UnusedProperty" +ZELLE=Zelle +# suppress inspection "UnusedProperty" +CHASE_QUICK_PAY=Chase QuickPay +# suppress inspection "UnusedProperty" +INTERAC_E_TRANSFER=Interac e-Transfer +# suppress inspection "UnusedProperty" +HAL_CASH=HalCash +# suppress inspection "UnusedProperty" +PROMPT_PAY=PromptPay +# suppress inspection "UnusedProperty" +ADVANCED_CASH=Advanced Cash +# suppress inspection "UnusedProperty" +WISE=Wise +# suppress inspection "UnusedProperty" +WISE_USD=Wise-USD +# suppress inspection "UnusedProperty" +PAYSERA=Paysera +# suppress inspection "UnusedProperty" +PAXUM=Paxum +# suppress inspection "UnusedProperty" +NEFT=India/NEFT +# suppress inspection "UnusedProperty" +RTGS=India/RTGS +# suppress inspection "UnusedProperty" +IMPS=India/IMPS +# suppress inspection "UnusedProperty" +UPI=India/UPI +# suppress inspection "UnusedProperty" +PAYTM=India/PayTM +# suppress inspection "UnusedProperty" +NEQUI=Nequi +# suppress inspection "UnusedProperty +BIZUM=Bizum +# suppress inspection "UnusedProperty" +PIX=Pix +# suppress inspection "UnusedProperty" +AMAZON_GIFT_CARD=Tarjeta regalo de Amazon +# suppress inspection "UnusedProperty" +CAPITUAL=Capitual +# suppress inspection "UnusedProperty" +CELPAY=CelPay +# suppress inspection "UnusedProperty" +MONESE=Monese +# suppress inspection "UnusedProperty" +SATISPAY=Satispay +# suppress inspection "UnusedProperty" +TIKKIE=Tikkie +# suppress inspection "UnusedProperty" +VERSE=Verse +# suppress inspection "UnusedProperty" +STRIKE=Strike +# suppress inspection "UnusedProperty" +SWIFT=Transferencia internacional SWIFT +# suppress inspection "UnusedProperty" +SWIFT_SHORT=SWIFT +# suppress inspection "UnusedProperty" +ACH_TRANSFER=Transferencia ACH +# suppress inspection "UnusedProperty" +ACH_TRANSFER_SHORT=ACH +# suppress inspection "UnusedProperty" +DOMESTIC_WIRE_TRANSFER=Transferencia Wire Doméstica +# suppress inspection "UnusedProperty" +DOMESTIC_WIRE_TRANSFER_SHORT=Wire +# suppress inspection "UnusedProperty" +CIPS=Cross-Border Interbank Payment System +# suppress inspection "UnusedProperty" +CIPS_SHORT=CIPS + +## Enum from CryptoPaymentMethod +# suppress inspection "UnusedProperty" +NATIVE_CHAIN=Cadena nativa +# suppress inspection "UnusedProperty" +NATIVE_CHAIN_SHORT=Cadena nativa + +## Enum from BitcoinPaymentMethod +# suppress inspection "UnusedProperty" +MAIN_CHAIN=Bitcoin (onchain) +# suppress inspection "UnusedProperty" +MAIN_CHAIN_SHORT=Onchain +# suppress inspection "UnusedProperty" +LN=BTC a través de Lightning Network +# suppress inspection "UnusedProperty" +LN_SHORT=Lightning +# suppress inspection "UnusedProperty" +LBTC=L-BTC (BTC pegged en la side chain Liquid) +# suppress inspection "UnusedProperty" +LBTC_SHORT=Liquid +# suppress inspection "UnusedProperty" +RBTC=RBTC (BTC pegged en la side chain RSK) +# suppress inspection "UnusedProperty" +RBTC_SHORT=RSK +# suppress inspection "UnusedProperty" +WBTC=WBTC (BTC wrapped como token ERC20) +# suppress inspection "UnusedProperty" +WBTC_SHORT=WBTC +# suppress inspection "UnusedProperty" +OTHER=Otro diff --git a/shared/domain/src/commonMain/resources/mobile/payment_method_it.properties b/shared/domain/src/commonMain/resources/mobile/payment_method_it.properties new file mode 100644 index 00000000..565d24e7 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/payment_method_it.properties @@ -0,0 +1,175 @@ +## Enum from FiatPaymentMethod + +# Generic terms +# suppress inspection "UnusedProperty" +NATIONAL_BANK=Bonifico bancario nazionale +# suppress inspection "UnusedProperty" +INTERNATIONAL_BANK=Bonifico bancario internazionale +# suppress inspection "UnusedProperty" +SAME_BANK=Trasferimento con stessa banca +# suppress inspection "UnusedProperty" +SPECIFIC_BANKS=Trasferimenti con banche specifiche +# suppress inspection "UnusedProperty" +US_POSTAL_MONEY_ORDER=Vaglia postale degli Stati Uniti +# suppress inspection "UnusedProperty" +CASH_DEPOSIT=Deposito in contanti +# suppress inspection "UnusedProperty" +CASH_BY_MAIL=Contanti per posta +# suppress inspection "UnusedProperty" +MONEY_GRAM=MoneyGram +# suppress inspection "UnusedProperty" +WESTERN_UNION=Western Union +# suppress inspection "UnusedProperty" +F2F=Faccia a faccia (in persona) +# suppress inspection "UnusedProperty" +JAPAN_BANK=Banco Giappone Furikomi +# suppress inspection "UnusedProperty" +PAY_ID=PayID + +# Generic terms short +# suppress inspection "UnusedProperty" +NATIONAL_BANK_SHORT=Banche nazionali +# suppress inspection "UnusedProperty" +INTERNATIONAL_BANK_SHORT=Banche internazionali +# suppress inspection "UnusedProperty" +SAME_BANK_SHORT=Stessa banca +# suppress inspection "UnusedProperty" +SPECIFIC_BANKS_SHORT=Banche specifiche +# suppress inspection "UnusedProperty" +US_POSTAL_MONEY_ORDER_SHORT=Vaglia USA +# suppress inspection "UnusedProperty" +CASH_DEPOSIT_SHORT=Deposito in contanti +# suppress inspection "UnusedProperty" +CASH_BY_MAIL_SHORT=Contanti per posta +# suppress inspection "UnusedProperty" +MONEY_GRAM_SHORT=MoneyGram +# suppress inspection "UnusedProperty" +WESTERN_UNION_SHORT=Western Union +# suppress inspection "UnusedProperty" +F2F_SHORT=F2F +# suppress inspection "UnusedProperty" +JAPAN_BANK_SHORT=Banco Giappone + +# Do not translate brand names +# suppress inspection "UnusedProperty" +UPHOLD=Uphold +# suppress inspection "UnusedProperty" +MONEY_BEAM=MoneyBeam (N26) +# suppress inspection "UnusedProperty" +POPMONEY=Popmoney +# suppress inspection "UnusedProperty" +REVOLUT=Revolut +# suppress inspection "UnusedProperty" +CASH_APP=Cash App +# suppress inspection "UnusedProperty" +PERFECT_MONEY=Perfect Money +# suppress inspection "UnusedProperty" +ALI_PAY=AliPay +# suppress inspection "UnusedProperty" +WECHAT_PAY=WeChat Pay +# suppress inspection "UnusedProperty" +SEPA=SEPA +# suppress inspection "UnusedProperty" +SEPA_INSTANT=SEPA Instant +# suppress inspection "UnusedProperty" +FASTER_PAYMENTS=Faster Payments +# suppress inspection "UnusedProperty" +SWISH=Swish +# suppress inspection "UnusedProperty" +ZELLE=Zelle +# suppress inspection "UnusedProperty" +CHASE_QUICK_PAY=Chase QuickPay +# suppress inspection "UnusedProperty" +INTERAC_E_TRANSFER=Interac e-Transfer +# suppress inspection "UnusedProperty" +HAL_CASH=HalCash +# suppress inspection "UnusedProperty" +PROMPT_PAY=PromptPay +# suppress inspection "UnusedProperty" +ADVANCED_CASH=Advanced Cash +# suppress inspection "UnusedProperty" +WISE=Wise +# suppress inspection "UnusedProperty" +WISE_USD=Wise-USD +# suppress inspection "UnusedProperty" +PAYSERA=Paysera +# suppress inspection "UnusedProperty" +PAXUM=Paxum +# suppress inspection "UnusedProperty" +NEFT=India/NEFT +# suppress inspection "UnusedProperty" +RTGS=India/RTGS +# suppress inspection "UnusedProperty" +IMPS=India/IMPS +# suppress inspection "UnusedProperty" +UPI=India/UPI +# suppress inspection "UnusedProperty" +PAYTM=India/PayTM +# suppress inspection "UnusedProperty" +NEQUI=Nequi +# suppress inspection "UnusedProperty +BIZUM=Bizum +# suppress inspection "UnusedProperty" +PIX=Pix +# suppress inspection "UnusedProperty" +AMAZON_GIFT_CARD=Amazon eGift Card +# suppress inspection "UnusedProperty" +CAPITUAL=Capitual +# suppress inspection "UnusedProperty" +CELPAY=CelPay +# suppress inspection "UnusedProperty" +MONESE=Monese +# suppress inspection "UnusedProperty" +SATISPAY=Satispay +# suppress inspection "UnusedProperty" +TIKKIE=Tikkie +# suppress inspection "UnusedProperty" +VERSE=Verse +# suppress inspection "UnusedProperty" +STRIKE=Strike +# suppress inspection "UnusedProperty" +SWIFT=SWIFT International Wire Transfer +# suppress inspection "UnusedProperty" +SWIFT_SHORT=SWIFT +# suppress inspection "UnusedProperty" +ACH_TRANSFER=ACH Transfer +# suppress inspection "UnusedProperty" +ACH_TRANSFER_SHORT=ACH +# suppress inspection "UnusedProperty" +DOMESTIC_WIRE_TRANSFER=Domestic Wire Transfer +# suppress inspection "UnusedProperty" +DOMESTIC_WIRE_TRANSFER_SHORT=Wire +# suppress inspection "UnusedProperty" +CIPS=Cross-Border Interbank Payment System +# suppress inspection "UnusedProperty" +CIPS_SHORT=CIPS + +## Enum from CryptoPaymentMethod +# suppress inspection "UnusedProperty" +NATIVE_CHAIN=Catena nativa +# suppress inspection "UnusedProperty" +NATIVE_CHAIN_SHORT=Catena nativa + +## Enum from BitcoinPaymentMethod +# suppress inspection "UnusedProperty" +MAIN_CHAIN=Bitcoin (onchain) +# suppress inspection "UnusedProperty" +MAIN_CHAIN_SHORT=Onchain +# suppress inspection "UnusedProperty" +LN=BTC sulla Lightning Network +# suppress inspection "UnusedProperty" +LN_SHORT=Lightning +# suppress inspection "UnusedProperty" +LBTC=L-BTC (BTC tokenizzati su Liquid side chain) +# suppress inspection "UnusedProperty" +LBTC_SHORT=Liquid +# suppress inspection "UnusedProperty" +RBTC=RBTC (BTC tokenizzati su RSK side chain) +# suppress inspection "UnusedProperty" +RBTC_SHORT=RSK +# suppress inspection "UnusedProperty" +WBTC=WBTC (BTC tokenizzato come token ERC20) +# suppress inspection "UnusedProperty" +WBTC_SHORT=WBTC +# suppress inspection "UnusedProperty" +OTHER=Altro diff --git a/shared/domain/src/commonMain/resources/mobile/payment_method_pcm.properties b/shared/domain/src/commonMain/resources/mobile/payment_method_pcm.properties new file mode 100644 index 00000000..9e36e269 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/payment_method_pcm.properties @@ -0,0 +1,175 @@ +## Enum from FiatPaymentMethod + +# Generic terms +# suppress inspection "UnusedProperty" +NATIONAL_BANK=National bank transfer +# suppress inspection "UnusedProperty" +INTERNATIONAL_BANK=International bank transfer +# suppress inspection "UnusedProperty" +SAME_BANK=Transfer wit same bank +# suppress inspection "UnusedProperty" +SPECIFIC_BANKS=Transfers with specific banks +# suppress inspection "UnusedProperty" +US_POSTAL_MONEY_ORDER=US Postal Money Order +# suppress inspection "UnusedProperty" +CASH_DEPOSIT=Cash Deposit +# suppress inspection "UnusedProperty" +CASH_BY_MAIL=Cash By Mail +# suppress inspection "UnusedProperty" +MONEY_GRAM=MoneyGram +# suppress inspection "UnusedProperty" +WESTERN_UNION=Western Union +# suppress inspection "UnusedProperty" +F2F=Face to face (in person) +# suppress inspection "UnusedProperty" +JAPAN_BANK=Japan Bank Furikomi +# suppress inspection "UnusedProperty" +PAY_ID=PayID + +# Generic terms short +# suppress inspection "UnusedProperty" +NATIONAL_BANK_SHORT=National banks +# suppress inspection "UnusedProperty" +INTERNATIONAL_BANK_SHORT=International banks +# suppress inspection "UnusedProperty" +SAME_BANK_SHORT=Same bank +# suppress inspection "UnusedProperty" +SPECIFIC_BANKS_SHORT=Specific banks +# suppress inspection "UnusedProperty" +US_POSTAL_MONEY_ORDER_SHORT=US Money Order +# suppress inspection "UnusedProperty" +CASH_DEPOSIT_SHORT=Cash Deposit +# suppress inspection "UnusedProperty" +CASH_BY_MAIL_SHORT=CashByMail +# suppress inspection "UnusedProperty" +MONEY_GRAM_SHORT=MoneyGram +# suppress inspection "UnusedProperty" +WESTERN_UNION_SHORT=Western Union +# suppress inspection "UnusedProperty" +F2F_SHORT=F2F +# suppress inspection "UnusedProperty" +JAPAN_BANK_SHORT=Japan Furikomi + +# Do not translate brand names +# suppress inspection "UnusedProperty" +UPHOLD=Uphold +# suppress inspection "UnusedProperty" +MONEY_BEAM=MoneyBeam (N26) +# suppress inspection "UnusedProperty" +POPMONEY=Popmoney +# suppress inspection "UnusedProperty" +REVOLUT=Revolut +# suppress inspection "UnusedProperty" +CASH_APP=Cash App +# suppress inspection "UnusedProperty" +PERFECT_MONEY=Perfect Money +# suppress inspection "UnusedProperty" +ALI_PAY=AliPay +# suppress inspection "UnusedProperty" +WECHAT_PAY=WeChat Pay +# suppress inspection "UnusedProperty" +SEPA=SEPA +# suppress inspection "UnusedProperty" +SEPA_INSTANT=SEPA Instant +# suppress inspection "UnusedProperty" +FASTER_PAYMENTS=Faster Payments +# suppress inspection "UnusedProperty" +SWISH=Swish +# suppress inspection "UnusedProperty" +ZELLE=Zelle +# suppress inspection "UnusedProperty" +CHASE_QUICK_PAY=Chase QuickPay +# suppress inspection "UnusedProperty" +INTERAC_E_TRANSFER=Interac e-Transfer +# suppress inspection "UnusedProperty" +HAL_CASH=HalCash +# suppress inspection "UnusedProperty" +PROMPT_PAY=PromptPay +# suppress inspection "UnusedProperty" +ADVANCED_CASH=Advanced Cash +# suppress inspection "UnusedProperty" +WISE=Wise +# suppress inspection "UnusedProperty" +WISE_USD=Wise-USD +# suppress inspection "UnusedProperty" +PAYSERA=Paysera +# suppress inspection "UnusedProperty" +PAXUM=Paxum +# suppress inspection "UnusedProperty" +NEFT=India/NEFT +# suppress inspection "UnusedProperty" +RTGS=India/RTGS +# suppress inspection "UnusedProperty" +IMPS=India/IMPS +# suppress inspection "UnusedProperty" +UPI=India/UPI +# suppress inspection "UnusedProperty" +PAYTM=India/PayTM +# suppress inspection "UnusedProperty" +NEQUI=Nequi +# suppress inspection "UnusedProperty +BIZUM=Bizum +# suppress inspection "UnusedProperty" +PIX=Pix +# suppress inspection "UnusedProperty" +AMAZON_GIFT_CARD=Amazon eGift Card +# suppress inspection "UnusedProperty" +CAPITUAL=Capitual +# suppress inspection "UnusedProperty" +CELPAY=CelPay +# suppress inspection "UnusedProperty" +MONESE=Monese +# suppress inspection "UnusedProperty" +SATISPAY=Satispay +# suppress inspection "UnusedProperty" +TIKKIE=Tikkie +# suppress inspection "UnusedProperty" +VERSE=Verse +# suppress inspection "UnusedProperty" +STRIKE=Strike +# suppress inspection "UnusedProperty" +SWIFT=SWIFT International Wire Transfer +# suppress inspection "UnusedProperty" +SWIFT_SHORT=SWIFT +# suppress inspection "UnusedProperty" +ACH_TRANSFER=ACH Transfer +# suppress inspection "UnusedProperty" +ACH_TRANSFER_SHORT=ACH +# suppress inspection "UnusedProperty" +DOMESTIC_WIRE_TRANSFER=Domestic Wire Transfer +# suppress inspection "UnusedProperty" +DOMESTIC_WIRE_TRANSFER_SHORT=Wire +# suppress inspection "UnusedProperty" +CIPS=Cross-Border Interbank Payment System +# suppress inspection "UnusedProperty" +CIPS_SHORT=CIPS + +## Enum from CryptoPaymentMethod +# suppress inspection "UnusedProperty" +NATIVE_CHAIN=Native chain +# suppress inspection "UnusedProperty" +NATIVE_CHAIN_SHORT=Native chain + +## Enum from BitcoinPaymentMethod +# suppress inspection "UnusedProperty" +MAIN_CHAIN=Bitcoin (onchain) +# suppress inspection "UnusedProperty" +MAIN_CHAIN_SHORT=Onchain +# suppress inspection "UnusedProperty" +LN=BTC over Lightning Network +# suppress inspection "UnusedProperty" +LN_SHORT=Lightning +# suppress inspection "UnusedProperty" +LBTC=L-BTC (Pegged BTC for Liquid side chain) +# suppress inspection "UnusedProperty" +LBTC_SHORT=Liquid +# suppress inspection "UnusedProperty" +RBTC=RBTC (Pegged BTC on RSK side chain) +# suppress inspection "UnusedProperty" +RBTC_SHORT=RSK +# suppress inspection "UnusedProperty" +WBTC=WBTC (wrapped BTC as ERC20 token) +# suppress inspection "UnusedProperty" +WBTC_SHORT=WBTC +# suppress inspection "UnusedProperty" +OTHER=Other diff --git a/shared/domain/src/commonMain/resources/mobile/payment_method_pt_BR.properties b/shared/domain/src/commonMain/resources/mobile/payment_method_pt_BR.properties new file mode 100644 index 00000000..228e80b0 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/payment_method_pt_BR.properties @@ -0,0 +1,175 @@ +## Enum from FiatPaymentMethod + +# Generic terms +# suppress inspection "UnusedProperty" +NATIONAL_BANK=Transferência bancária nacional +# suppress inspection "UnusedProperty" +INTERNATIONAL_BANK=Transferência bancária internacional +# suppress inspection "UnusedProperty" +SAME_BANK=Transferência no mesmo banco +# suppress inspection "UnusedProperty" +SPECIFIC_BANKS=Transferências com bancos específicos +# suppress inspection "UnusedProperty" +US_POSTAL_MONEY_ORDER=Ordem de Pagamento Postal dos EUA +# suppress inspection "UnusedProperty" +CASH_DEPOSIT=Depósito em dinheiro +# suppress inspection "UnusedProperty" +CASH_BY_MAIL=Dinheiro pelo correio +# suppress inspection "UnusedProperty" +MONEY_GRAM=MoneyGram +# suppress inspection "UnusedProperty" +WESTERN_UNION=Western Union +# suppress inspection "UnusedProperty" +F2F=Face a face (pessoalmente) +# suppress inspection "UnusedProperty" +JAPAN_BANK=Furikomi do Banco do Japão +# suppress inspection "UnusedProperty" +PAY_ID=PayID + +# Generic terms short +# suppress inspection "UnusedProperty" +NATIONAL_BANK_SHORT=Bancos nacionais +# suppress inspection "UnusedProperty" +INTERNATIONAL_BANK_SHORT=Bancos internacionais +# suppress inspection "UnusedProperty" +SAME_BANK_SHORT=Mesmo banco +# suppress inspection "UnusedProperty" +SPECIFIC_BANKS_SHORT=Bancos específicos +# suppress inspection "UnusedProperty" +US_POSTAL_MONEY_ORDER_SHORT=Ordem de Pagamento dos EUA +# suppress inspection "UnusedProperty" +CASH_DEPOSIT_SHORT=Depósito em dinheiro +# suppress inspection "UnusedProperty" +CASH_BY_MAIL_SHORT=Correio +# suppress inspection "UnusedProperty" +MONEY_GRAM_SHORT=MoneyGram +# suppress inspection "UnusedProperty" +WESTERN_UNION_SHORT=Western Union +# suppress inspection "UnusedProperty" +F2F_SHORT=F2F +# suppress inspection "UnusedProperty" +JAPAN_BANK_SHORT=Furikomi Japão + +# Do not translate brand names +# suppress inspection "UnusedProperty" +UPHOLD=Uphold +# suppress inspection "UnusedProperty" +MONEY_BEAM=MoneyBeam (N26) +# suppress inspection "UnusedProperty" +POPMONEY=Popmoney +# suppress inspection "UnusedProperty" +REVOLUT=Revolut +# suppress inspection "UnusedProperty" +CASH_APP=Cash App +# suppress inspection "UnusedProperty" +PERFECT_MONEY=Perfect Money +# suppress inspection "UnusedProperty" +ALI_PAY=AliPay +# suppress inspection "UnusedProperty" +WECHAT_PAY=WeChat Pay +# suppress inspection "UnusedProperty" +SEPA=SEPA +# suppress inspection "UnusedProperty" +SEPA_INSTANT=SEPA Instant +# suppress inspection "UnusedProperty" +FASTER_PAYMENTS=Faster Payments +# suppress inspection "UnusedProperty" +SWISH=Swish +# suppress inspection "UnusedProperty" +ZELLE=Zelle +# suppress inspection "UnusedProperty" +CHASE_QUICK_PAY=Chase QuickPay +# suppress inspection "UnusedProperty" +INTERAC_E_TRANSFER=Interac e-Transfer +# suppress inspection "UnusedProperty" +HAL_CASH=HalCash +# suppress inspection "UnusedProperty" +PROMPT_PAY=PromptPay +# suppress inspection "UnusedProperty" +ADVANCED_CASH=Advanced Cash +# suppress inspection "UnusedProperty" +WISE=Wise +# suppress inspection "UnusedProperty" +WISE_USD=Wise-USD +# suppress inspection "UnusedProperty" +PAYSERA=Paysera +# suppress inspection "UnusedProperty" +PAXUM=Paxum +# suppress inspection "UnusedProperty" +NEFT=Índia/NEFT +# suppress inspection "UnusedProperty" +RTGS=Índia/RTGS +# suppress inspection "UnusedProperty" +IMPS=Índia/IMPS +# suppress inspection "UnusedProperty" +UPI=Índia/UPI +# suppress inspection "UnusedProperty" +PAYTM=India/PayTM +# suppress inspection "UnusedProperty" +NEQUI=Nequi +# suppress inspection "UnusedProperty +BIZUM=Bizum +# suppress inspection "UnusedProperty" +PIX=Pix +# suppress inspection "UnusedProperty" +AMAZON_GIFT_CARD=Amazon eGift Card +# suppress inspection "UnusedProperty" +CAPITUAL=Capitual +# suppress inspection "UnusedProperty" +CELPAY=CelPay +# suppress inspection "UnusedProperty" +MONESE=Monese +# suppress inspection "UnusedProperty" +SATISPAY=Satispay +# suppress inspection "UnusedProperty" +TIKKIE=Tikkie +# suppress inspection "UnusedProperty" +VERSE=Verse +# suppress inspection "UnusedProperty" +STRIKE=Strike +# suppress inspection "UnusedProperty" +SWIFT=SWIFT International Wire Transfer +# suppress inspection "UnusedProperty" +SWIFT_SHORT=SWIFT +# suppress inspection "UnusedProperty" +ACH_TRANSFER=ACH Transfer +# suppress inspection "UnusedProperty" +ACH_TRANSFER_SHORT=ACH +# suppress inspection "UnusedProperty" +DOMESTIC_WIRE_TRANSFER=Domestic Wire Transfer +# suppress inspection "UnusedProperty" +DOMESTIC_WIRE_TRANSFER_SHORT=Wire +# suppress inspection "UnusedProperty" +CIPS=Cross-Border Interbank Payment System +# suppress inspection "UnusedProperty" +CIPS_SHORT=CIPS + +## Enum from CryptoPaymentMethod +# suppress inspection "UnusedProperty" +NATIVE_CHAIN=Cadeia nativa +# suppress inspection "UnusedProperty" +NATIVE_CHAIN_SHORT=Cadeia nativa + +## Enum from BitcoinPaymentMethod +# suppress inspection "UnusedProperty" +MAIN_CHAIN=Bitcoin (onchain) +# suppress inspection "UnusedProperty" +MAIN_CHAIN_SHORT=Onchain +# suppress inspection "UnusedProperty" +LN=BTC pela Rede Lightning +# suppress inspection "UnusedProperty" +LN_SHORT=Lightning +# suppress inspection "UnusedProperty" +LBTC=L-BTC (BTC atrelado na side chain Liquid) +# suppress inspection "UnusedProperty" +LBTC_SHORT=Liquid +# suppress inspection "UnusedProperty" +RBTC=RBTC (BTC atrelado na side chain RSK) +# suppress inspection "UnusedProperty" +RBTC_SHORT=RSK +# suppress inspection "UnusedProperty" +WBTC=WBTC (BTC encapsulado como token ERC20) +# suppress inspection "UnusedProperty" +WBTC_SHORT=WBTC +# suppress inspection "UnusedProperty" +OTHER=Outro diff --git a/shared/domain/src/commonMain/resources/mobile/payment_method_ru.properties b/shared/domain/src/commonMain/resources/mobile/payment_method_ru.properties new file mode 100644 index 00000000..1a3d550e --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/payment_method_ru.properties @@ -0,0 +1,175 @@ +## Enum from FiatPaymentMethod + +# Generic terms +# suppress inspection "UnusedProperty" +NATIONAL_BANK=Национальный банковский перевод +# suppress inspection "UnusedProperty" +INTERNATIONAL_BANK=Международный банковский перевод +# suppress inspection "UnusedProperty" +SAME_BANK=Перевод через тот же банк +# suppress inspection "UnusedProperty" +SPECIFIC_BANKS=Переводы через определенные банки +# suppress inspection "UnusedProperty" +US_POSTAL_MONEY_ORDER=Почтовый денежный перевод США +# suppress inspection "UnusedProperty" +CASH_DEPOSIT=Депозит наличными +# suppress inspection "UnusedProperty" +CASH_BY_MAIL=Наличные по почте +# suppress inspection "UnusedProperty" +MONEY_GRAM=MoneyGram +# suppress inspection "UnusedProperty" +WESTERN_UNION=Western Union +# suppress inspection "UnusedProperty" +F2F=Лицом к лицу (лично) +# suppress inspection "UnusedProperty" +JAPAN_BANK=Японский банк Фурикоми +# suppress inspection "UnusedProperty" +PAY_ID=Платежный идентификатор + +# Generic terms short +# suppress inspection "UnusedProperty" +NATIONAL_BANK_SHORT=Национальные банки +# suppress inspection "UnusedProperty" +INTERNATIONAL_BANK_SHORT=Международные банки +# suppress inspection "UnusedProperty" +SAME_BANK_SHORT=Тот же банк +# suppress inspection "UnusedProperty" +SPECIFIC_BANKS_SHORT=Конкретные банки +# suppress inspection "UnusedProperty" +US_POSTAL_MONEY_ORDER_SHORT=Денежный перевод США +# suppress inspection "UnusedProperty" +CASH_DEPOSIT_SHORT=Депозит наличными +# suppress inspection "UnusedProperty" +CASH_BY_MAIL_SHORT=Наличные по почте +# suppress inspection "UnusedProperty" +MONEY_GRAM_SHORT=MoneyGram +# suppress inspection "UnusedProperty" +WESTERN_UNION_SHORT=Western Union +# suppress inspection "UnusedProperty" +F2F_SHORT=F2F +# suppress inspection "UnusedProperty" +JAPAN_BANK_SHORT=Япония Фурикоми + +# Do not translate brand names +# suppress inspection "UnusedProperty" +UPHOLD=Поддержите +# suppress inspection "UnusedProperty" +MONEY_BEAM=MoneyBeam (N26) +# suppress inspection "UnusedProperty" +POPMONEY=Popmoney +# suppress inspection "UnusedProperty" +REVOLUT=Оборот +# suppress inspection "UnusedProperty" +CASH_APP=Кассовое приложение +# suppress inspection "UnusedProperty" +PERFECT_MONEY=Идеальные деньги +# suppress inspection "UnusedProperty" +ALI_PAY=AliPay +# suppress inspection "UnusedProperty" +WECHAT_PAY=WeChat Pay +# suppress inspection "UnusedProperty" +SEPA=SEPA +# suppress inspection "UnusedProperty" +SEPA_INSTANT=SEPA мгновенно +# suppress inspection "UnusedProperty" +FASTER_PAYMENTS=Быстрые платежи +# suppress inspection "UnusedProperty" +SWISH=Свич +# suppress inspection "UnusedProperty" +ZELLE=Цель +# suppress inspection "UnusedProperty" +CHASE_QUICK_PAY=Chase QuickPay +# suppress inspection "UnusedProperty" +INTERAC_E_TRANSFER=Interac e-Transfer +# suppress inspection "UnusedProperty" +HAL_CASH=HalCash +# suppress inspection "UnusedProperty" +PROMPT_PAY=PromptPay +# suppress inspection "UnusedProperty" +ADVANCED_CASH=Передовая касса +# suppress inspection "UnusedProperty" +WISE=Мудрый +# suppress inspection "UnusedProperty" +WISE_USD=Мудрый Доллар +# suppress inspection "UnusedProperty" +PAYSERA=Paysera +# suppress inspection "UnusedProperty" +PAXUM=Paxum +# suppress inspection "UnusedProperty" +NEFT=Индия/НЕФТЬ +# suppress inspection "UnusedProperty" +RTGS=Индия/RTGS +# suppress inspection "UnusedProperty" +IMPS=Индия/IMPS +# suppress inspection "UnusedProperty" +UPI=Индия/UPI +# suppress inspection "UnusedProperty" +PAYTM=Индия/PayTM +# suppress inspection "UnusedProperty" +NEQUI=Неки +# suppress inspection "UnusedProperty +BIZUM=Бизон +# suppress inspection "UnusedProperty" +PIX=Пиксель +# suppress inspection "UnusedProperty" +AMAZON_GIFT_CARD=Amazon подарочная карта +# suppress inspection "UnusedProperty" +CAPITUAL=Капитуляция +# suppress inspection "UnusedProperty" +CELPAY=CelPay +# suppress inspection "UnusedProperty" +MONESE=Monese +# suppress inspection "UnusedProperty" +SATISPAY=Satispay +# suppress inspection "UnusedProperty" +TIKKIE=Tikkie +# suppress inspection "UnusedProperty" +VERSE=Стих +# suppress inspection "UnusedProperty" +STRIKE=Атака +# suppress inspection "UnusedProperty" +SWIFT=Международный банковский перевод SWIFT +# suppress inspection "UnusedProperty" +SWIFT_SHORT=SWIFT +# suppress inspection "UnusedProperty" +ACH_TRANSFER=Перевод ACH +# suppress inspection "UnusedProperty" +ACH_TRANSFER_SHORT=ACH +# suppress inspection "UnusedProperty" +DOMESTIC_WIRE_TRANSFER=Внутренний банковский перевод +# suppress inspection "UnusedProperty" +DOMESTIC_WIRE_TRANSFER_SHORT=Провод +# suppress inspection "UnusedProperty" +CIPS=Трансграничная межбанковская платежная система +# suppress inspection "UnusedProperty" +CIPS_SHORT=CIPS + +## Enum from CryptoPaymentMethod +# suppress inspection "UnusedProperty" +NATIVE_CHAIN=Родная цепь +# suppress inspection "UnusedProperty" +NATIVE_CHAIN_SHORT=Родная цепь + +## Enum from BitcoinPaymentMethod +# suppress inspection "UnusedProperty" +MAIN_CHAIN=Биткойн (onchain) +# suppress inspection "UnusedProperty" +MAIN_CHAIN_SHORT=Onchain +# suppress inspection "UnusedProperty" +LN=BTC через Молниеносную сеть +# suppress inspection "UnusedProperty" +LN_SHORT=Молния +# suppress inspection "UnusedProperty" +LBTC=L-BTC (привязанные BTC на боковой цепочке ликвида) +# suppress inspection "UnusedProperty" +LBTC_SHORT=Жидкость +# suppress inspection "UnusedProperty" +RBTC=RBTC (привязанные BTC на боковой цепочке РСК) +# suppress inspection "UnusedProperty" +RBTC_SHORT=RSK +# suppress inspection "UnusedProperty" +WBTC=WBTC (обернутый BTC в виде токена ERC20) +# suppress inspection "UnusedProperty" +WBTC_SHORT=WBTC +# suppress inspection "UnusedProperty" +OTHER=Другое diff --git a/shared/domain/src/commonMain/resources/mobile/reputation.properties b/shared/domain/src/commonMain/resources/mobile/reputation.properties new file mode 100644 index 00000000..88fabdf8 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/reputation.properties @@ -0,0 +1,436 @@ +################################################################################ +# Reputation +################################################################################ + +reputation=Reputation +reputation.buildReputation=Build reputation +reputation.reputationScore=Reputation score + +reputation.buildReputation.headline=Build reputation +reputation.buildReputation.intro.part1=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.\n\ + A seller can take offers up to the amount derived from their reputation score.\n\ + It is calculated as follows: +reputation.buildReputation.intro.part1.formula.output=Maximum trade amount in USD * +reputation.buildReputation.intro.part1.formula.input=Reputation score +reputation.buildReputation.intro.part1.formula.footnote=* Converted to the currency used. +reputation.buildReputation.intro.part2=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.title=How can sellers build up their reputation? +reputation.buildReputation.burnBsq.title=Burning BSQ +reputation.buildReputation.burnBsq.description=This is the strongest form of reputation.\n\ + The score gained by burning BSQ doubles during the first year. +reputation.buildReputation.burnBsq.button=Learn how to burn BSQ +reputation.buildReputation.bsqBond.title=Bonding BSQ +reputation.buildReputation.bsqBond.description=Similar to burning BSQ but using refundable BSQ bonds.\n\ + BSQ needs to be bonded for a minimum of 50,000 blocks (about 1 year). +reputation.buildReputation.bsqBond.button=Learn how to bond BSQ +reputation.buildReputation.signedAccount.title=Signed account age witness +reputation.buildReputation.signedAccount.description=Users of Bisq 1 can gain reputation by importing their signed account age from Bisq 1 into Bisq 2. +reputation.buildReputation.signedAccount.button=Learn how to import signed account +reputation.buildReputation.accountAge.title=Account age +reputation.buildReputation.accountAge.description=Users of Bisq 1 can gain reputation by importing their account age from Bisq 1 into Bisq 2. +reputation.buildReputation.accountAge.button=Learn how to import account age +reputation.buildReputation.learnMore=Learn more about the Bisq reputation system at the +reputation.buildReputation.learnMore.link=Bisq Wiki. + +# suppress inspection "UnusedProperty" +reputation.source.BURNED_BSQ=Burned BSQ +# suppress inspection "UnusedProperty" +reputation.source.BSQ_BOND=Bonded BSQ +# suppress inspection "UnusedProperty" +reputation.source.PROFILE_AGE=Profile age +# suppress inspection "UnusedProperty" +reputation.source.BISQ1_ACCOUNT_AGE=Account age +# suppress inspection "UnusedProperty" +reputation.source.BISQ1_SIGNED_ACCOUNT_AGE_WITNESS=Signed witness + +reputation.pubKeyHash=Profile ID +reputation.weight=Weight +reputation.score=Score +reputation.totalScore=Total score +reputation.ranking=Ranking +reputation.score.formulaHeadline=The reputation score is calculated as follows: +reputation.score.tooltip=Score: {0}\nRanking: {1} + +reputation.burnBsq=Burning BSQ +reputation.burnedBsq.tab1=Why +reputation.burnedBsq.tab2=Score +reputation.burnedBsq.tab3=How-to +reputation.burnedBsq.infoHeadline=Skin in the game +reputation.burnedBsq.info=By burning BSQ you provide evidence that you invested money into your reputation.\n\ + The 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.burnedBsq.infoHeadline2=What is the recommended amount to burn? +reputation.burnedBsq.info2=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.burnedBsq.score.headline=Impact on reputation score +reputation.burnedBsq.score.info=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. + +# Dynamically generated in BurnBsqTab2View +# suppress inspection "UnusedProperty" +reputation.burnedBsq.totalScore=Burned BSQ amount * weight * (1 + age / 365) + +reputation.sim.headline=Simulation tool: +reputation.sim.burnAmount=BSQ amount +# Dynamically generated in BondScoreSimulation +# suppress inspection "UnusedProperty" +reputation.sim.burnAmount.prompt=Enter the BSQ amount +# suppress inspection "UnusedProperty" +reputation.sim.lockTime=Lock time in blocks +# Dynamically generated in BondScoreSimulation +# suppress inspection "UnusedProperty" +reputation.sim.lockTime.prompt=Enter lock time +reputation.sim.age=Age in days +# Dynamically generated in BondScoreSimulation +# suppress inspection "UnusedProperty" +reputation.sim.age.prompt=Enter the age in days +reputation.sim.score=Total score + +reputation.burnedBsq.howToHeadline=Process for burning BSQ +reputation.burnedBsq.howTo=1. Select the user profile for which you want to attach the reputation.\n\ + 2. Copy the 'profile ID'\n\ + 3. Open Bisq 1 and go to 'DAO/PROOF OF BURN' and paste the copied value into the 'pre-image' field.\n\ + 4. Enter the amount of BSQ you want to burn.\n\ + 5. Publish the Burn BSQ transaction.\n\ + 6. After blockchain confirmation your reputation will become visible in your profile. + +reputation.bond=BSQ bonds +reputation.bond.tab1=Why +reputation.bond.tab2=Score +reputation.bond.tab3=How-to +reputation.bond.infoHeadline=Skin in the game +reputation.bond.info=By setting up a BSQ bond you provide evidence that you locked up money for gaining reputation.\n\ + The 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.bond.infoHeadline2=What is the recommended amount and lock time? +reputation.bond.info2=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.bond.score.headline=Impact on reputation score +reputation.bond.score.info=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. +# Dynamically generated in BondedReputationTab2View +# suppress inspection "UnusedProperty" +reputation.bond.totalScore=BSQ amount * weight * (1 + age / 365) + +reputation.bond.howToHeadline=Process for setting up a BSQ bond +reputation.bond.howTo=1. Select the user profile for which you want to attach the reputation.\n\ + 2. Copy the 'profile ID'\n\ + 3. Open Bisq 1 and go to 'DAO/BONDING/BONDED REPUTATION' and paste the copied value into the 'salt' field.\n\ + 4. Enter the amount of BSQ you want to lock up and the lock time (50 000 blocks).\n\ + 5. Publish the lockup transaction.\n\ + 6. After blockchain confirmation your reputation will become visible in your profile. + +reputation.accountAge=Account age +reputation.accountAge.tab1=Why +reputation.accountAge.tab2=Score +reputation.accountAge.tab3=Import +reputation.accountAge.infoHeadline=Provide trust +reputation.accountAge.info=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.accountAge.infoHeadline2=Privacy implications +reputation.accountAge.info2=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.\n\ + Though, 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\n\ + Account 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.accountAge.score.headline=Impact on reputation score +reputation.accountAge.score.info=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. +# Dynamically generated in AccountAgeTab2View +# suppress inspection "UnusedProperty" +reputation.accountAge.totalScore=Account age in days * weight + +reputation.accountAge.import.step1.title=Step 1 +reputation.accountAge.import.step1.instruction=Select the user profile for which you want to attach the reputation. +reputation.accountAge.import.step2.title=Step 2 +reputation.accountAge.import.step2.instruction=Copy the profile ID to paste on Bisq 1. +reputation.accountAge.import.step2.profileId=Profile ID (Paste on the account screen on Bisq 1) +reputation.accountAge.import.step3.title=Step 3 +reputation.accountAge.import.step3.instruction1=3.1. - Open Bisq 1 and go to 'ACCOUNT/NATIONAL CURRENCY ACCOUNTS'. +reputation.accountAge.import.step3.instruction2=3.2. - Select the oldest account and click 'EXPORT ACCOUNT AGE FOR BISQ 2'. +reputation.accountAge.import.step3.instruction3=3.3. - This will create json data with a signature of your Bisq 2 Profile ID and copy it to the clipboard. +reputation.accountAge.import.step4.title=Step 4 +reputation.accountAge.import.step4.instruction=Paste the json data from the previous step +reputation.accountAge.import.step4.signedMessage=Json data from Bisq 1 + +reputation.signedWitness=Signed account age witness +reputation.signedWitness.tab1=Why +reputation.signedWitness.tab2=Score +reputation.signedWitness.tab3=How-to +reputation.signedWitness.infoHeadline=Provide trust +reputation.signedWitness.info=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. +reputation.signedWitness.infoHeadline2=Privacy implications +reputation.signedWitness.info2=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.\n\ + Though, 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\n\ + Signed 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. +reputation.signedWitness.score.headline=Impact on reputation score +reputation.signedWitness.score.info=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. +# Dynamically generated in SignedWitnessTab2View +# suppress inspection "UnusedProperty" +reputation.signedWitness.totalScore=Witness age in days * weight +reputation.signedWitness.import.step1.title=Step 1 +reputation.signedWitness.import.step1.instruction=Select the user profile for which you want to attach the reputation. +reputation.signedWitness.import.step2.title=Step 2 +reputation.signedWitness.import.step2.instruction=Copy the profile ID to paste on Bisq 1. +reputation.signedWitness.import.step2.profileId=Profile ID (Paste on the account screen on Bisq 1) +reputation.signedWitness.import.step3.title=Step 3 +reputation.signedWitness.import.step3.instruction1=3.1. - Open Bisq 1 and go to 'ACCOUNT/NATIONAL CURRENCY ACCOUNTS'. +reputation.signedWitness.import.step3.instruction2=3.2. - Select the oldest account and click 'EXPORT SIGNED WITNESS FOR BISQ 2'. +reputation.signedWitness.import.step3.instruction3=3.3. - This will create json data with a signature of your Bisq 2 Profile ID and copy it to the clipboard. +reputation.signedWitness.import.step4.title=Step 4 +reputation.signedWitness.import.step4.instruction=Paste the json data from the previous step +reputation.signedWitness.import.step4.signedMessage=Json data from Bisq 1 + +reputation.request=Request authorization +reputation.request.success=Successfully requested authorization from Bisq 1 bridge node\n\n\ + Your reputation data should now be available in the network. +reputation.request.error=Requesting authorization failed. Text from clipboard:\n\{0} + +reputation.table.headline=Reputation ranking +reputation.table.columns.userProfile=User profile +reputation.table.columns.profileAge=Profile age +reputation.table.columns.livenessState=Last user activity +reputation.table.columns.reputationScore=Reputation score +reputation.table.columns.reputation=Reputation +reputation.table.columns.details=Details +reputation.table.columns.details.popup.headline=Reputation details +reputation.table.columns.details.button=Show details + +reputation.details.table.columns.source=Type +reputation.details.table.columns.lockTime=Lock time +reputation.details.table.columns.score=Score + +reputation.reputationScore.headline=Reputation score +reputation.reputationScore.intro=In this section Bisq reputation is explained so that you can make informed decisions when taking an offer. +reputation.reputationScore.sellerReputation=The reputation of a seller is the best signal\n\ + to predict the likelihood of a successful trade in Bisq Easy. +reputation.reputationScore.explanation.intro=Reputation at Bisq2 is captured in three elements: +reputation.reputationScore.explanation.score.title=Score +reputation.reputationScore.explanation.score.description=This is the total score a seller has built up so far.\n\ + The 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.\n\ + Further reading on how to increase the score can be found in 'Build reputation' section.\n\ + It is recommended to trade with sellers who have the highest score. +reputation.reputationScore.explanation.ranking.title=Ranking +reputation.reputationScore.explanation.ranking.description=Ranks users from highest to lowest score.\n\ + As a rule of thumb when trading: the higher the rank, the better likelihood of a successful trade. +reputation.reputationScore.explanation.stars.title=Stars +reputation.reputationScore.explanation.stars.description=This is a graphical representation of the score. See the conversion table below for how stars are calculated.\n\ + It is recommended to trade with sellers who have the highest number of stars. +reputation.reputationScore.closing=For more details on how a seller has built their reputation, see 'Ranking' section and click 'Show details' in the user. + + +################################################################################ +# Bonded roles +################################################################################ + +user.bondedRoles.headline.roles=Bonded roles +user.bondedRoles.headline.nodes=Network nodes + + +################################################################################ +# Bonded Role Types +################################################################################ + +user.bondedRoles.type.MEDIATOR=Mediator +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ARBITRATOR=Arbitrator +user.bondedRoles.type.MODERATOR=Moderator +user.bondedRoles.type.SECURITY_MANAGER=Security manager +user.bondedRoles.type.RELEASE_MANAGER=Release manager + +user.bondedRoles.type.ORACLE_NODE=Oracle node +user.bondedRoles.type.SEED_NODE=Seed node +user.bondedRoles.type.EXPLORER_NODE=Explorer node +user.bondedRoles.type.MARKET_PRICE_NODE=Market price node + + +################################################################################ +# Bonded roles about +################################################################################ + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MEDIATOR.about.inline=mediator +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ARBITRATOR.about.inline=arbitrator +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MODERATOR.about.inline=moderator +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SECURITY_MANAGER.about.inline=security manager +# suppress inspection "UnusedProperty" +user.bondedRoles.type.RELEASE_MANAGER.about.inline=release manager + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ORACLE_NODE.about.inline=oracle node operator +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SEED_NODE.about.inline=seed node operator +# suppress inspection "UnusedProperty" +user.bondedRoles.type.EXPLORER_NODE.about.inline=explorer node operator +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MARKET_PRICE_NODE.about.inline=market price node operator + +user.bondedRoles.registration.hideInfo=Hide instructions +user.bondedRoles.registration.showInfo=Show instructions + +user.bondedRoles.registration.about.headline=About the {0} role + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MEDIATOR.about.info=If there are conflicts in a Bisq Easy trade the traders can request help from a mediator.\n\ + The 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.\n\ + Mediators and arbitrators from Bisq 1 can become Bisq 2 mediators without locking up a new BSQ bond. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MODERATOR.about.info=Chat users can report violations of the chat or trade rules to the moderator.\n\ + In case the provided information is sufficient to verify a rule violation the moderator can ban that user from the network.\n\ + In 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. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SECURITY_MANAGER.about.info=A security manager can send an alert message in case of emergency situations. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.RELEASE_MANAGER.about.info=A release manager can send notifications when a new release is available. + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SEED_NODE.about.info=A seed node provides network addresses of network participants for bootstrapping to the Bisq 2 P2P network.\n\ + This is essential at the very fist start as at that moment the new user has no persisted data yet for connecting to other peers.\n\ + It 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.\n\ + Seed node operators from Bisq 1 can become Bisq 2 seed node operators without locking up a new BSQ bond. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ORACLE_NODE.about.info=The oracle node is used to provide Bisq 1 and DAO data for Bisq 2 use cases like reputation. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.EXPLORER_NODE.about.info=The blockchain explorer node is used in Bisq Easy for transaction lookup of the Bitcoin transaction. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MARKET_PRICE_NODE.about.info=The market price node provides market data from the Bisq market price aggregator. + + +################################################################################ +# Bonded roles how +################################################################################ + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MEDIATOR.how.inline=a mediator +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ARBITRATOR.how.inline=a arbitrator +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MODERATOR.how.inline=a moderator +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SECURITY_MANAGER.how.inline=a security manager +# suppress inspection "UnusedProperty" +user.bondedRoles.type.RELEASE_MANAGER.how.inline=a release manager + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SEED_NODE.how.inline=a seed node operator +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ORACLE_NODE.how.inline=an oracle node operator +# suppress inspection "UnusedProperty" +user.bondedRoles.type.EXPLORER_NODE.how.inline=an explorer node operator +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MARKET_PRICE_NODE.how.inline=a market price node operator + +user.bondedRoles.registration.how.headline=How to become {0}? + +user.bondedRoles.registration.how.info=\ + 1. Select the user profile you want to use for registration and create a backup of your data directory.\n\ + 3. Make a proposal at 'https://github.com/bisq-network/proposals' to become {0} and add your profile ID to the proposal.\n\ + 4. After your proposal got reviewed and got support from the community, make a DAO proposal for a bonded role.\n\ + 5. After your DAO proposal got accepted in DAO voting lock up the required BSQ bond.\n\ + 6. 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.\n\ + 7. 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.\n\ + 8. Enter the bondholder username.\n\ + {1} + +user.bondedRoles.registration.how.info.role=\ + 9. Click the 'Request registration' button. If all was correct your registration becomes visible in the Registered bonded roles table. + +user.bondedRoles.registration.how.info.node=\ + 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.\n\ + 10. Click the 'Request registration' button. If all was correct your registration becomes visible in the Registered network nodes table. + + +################################################################################ +# Bonded roles registration +################################################################################ + +user.bondedRoles.registration.headline=Request registration + +user.bondedRoles.registration.profileId=Profile ID +user.bondedRoles.registration.bondHolderName=Username of bond holder +user.bondedRoles.registration.bondHolderName.prompt=Enter the username of the Bisq 1 bond holder +user.bondedRoles.registration.signature=Signature +user.bondedRoles.registration.signature.prompt=Paste the signature from you bonded role +user.bondedRoles.registration.requestRegistration=Request registration +user.bondedRoles.registration.success=Registration request was successfully sent. You will see in the table below if the registration was successfully verified and published by the oracle node. +user.bondedRoles.registration.failed=Sending the registration request failed.\n\n\{0} +user.bondedRoles.registration.node.addressInfo=Node address data +user.bondedRoles.registration.node.addressInfo.prompt=Import the 'default_node_address.json' file from the node data directory. +user.bondedRoles.registration.node.importAddress=Import node address +user.bondedRoles.registration.node.pubKey=Public key +user.bondedRoles.registration.node.privKey=Private key +user.bondedRoles.registration.node.showKeyPair=Show key pair + +################################################################################ +# Bonded roles cancellation +################################################################################ + +user.bondedRoles.cancellation.requestCancellation=Request cancellation +user.bondedRoles.cancellation.success=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. +user.bondedRoles.cancellation.failed=Sending the cancellation request failed.\n\n\{0} + + +################################################################################ +# Registered bonded roles table +################################################################################ + +user.bondedRoles.table.headline.nodes=Registered network nodes +user.bondedRoles.table.headline.roles=Registered bonded roles + +user.bondedRoles.table.columns.isBanned=Is banned +user.bondedRoles.table.columns.userProfile=User profile +user.bondedRoles.table.columns.userProfile.defaultNode=Node operator with statically provided key +user.bondedRoles.table.columns.profileId=Profile ID +user.bondedRoles.table.columns.signature=Signature +# Commented out in code ATM in RolesView +# suppress inspection "UnusedProperty" +user.bondedRoles.table.columns.oracleNode=Oracle node +user.bondedRoles.table.columns.bondUserName=Bond username + +user.bondedRoles.table.columns.role=Role + +user.bondedRoles.table.columns.node=Node +user.bondedRoles.table.columns.node.address=Address +user.bondedRoles.table.columns.node.address.openPopup=Open address data popup +user.bondedRoles.table.columns.node.address.popup.headline=Node address data + + +################################################################################ +# Bonded roles verification +################################################################################ + +user.bondedRoles.verification.howTo.roles=How to verify a bonded role? +user.bondedRoles.verification.howTo.nodes=How to verify a network node? +user.bondedRoles.verification.howTo.instruction=\ + 1. Open Bisq 1 and go to 'DAO/Bonding/Bonded roles' and select the role by the bond-username and the role type.\n\ + 2. Click on the verify button, copy the profile ID and paste it into the message field.\n\ + 3. Copy the signature and paste it into the signature field in Bisq 1.\n\ + 4. Click the verify button. If the signature check succeeds, the bonded role is valid. + + + + diff --git a/shared/domain/src/commonMain/resources/mobile/reputation_af_ZA.properties b/shared/domain/src/commonMain/resources/mobile/reputation_af_ZA.properties new file mode 100644 index 00000000..eaca1567 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/reputation_af_ZA.properties @@ -0,0 +1,356 @@ +################################################################################ +# Reputation +################################################################################ + +reputation=Reputasie +reputation.buildReputation=Bou reputasie +reputation.reputationScore=Reputasie-telling + +reputation.buildReputation.headline=Bou reputasie +reputation.buildReputation.intro.part1=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: +reputation.buildReputation.intro.part1.formula.output=Maximale handelsbedrag in USD * +reputation.buildReputation.intro.part1.formula.input=Reputasie-telling +reputation.buildReputation.intro.part1.formula.footnote=* Oorgeskakel na die geldeenheid wat gebruik word. +reputation.buildReputation.intro.part2=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.title=Hoe kan verkopers hul reputasie bou? +reputation.buildReputation.burnBsq.title=Verbrande BSQ +reputation.buildReputation.burnBsq.description=Dit is die sterkste vorm van reputasie.\nDie telling wat verkry word deur BSQ te verbrande, verdubbel gedurende die eerste jaar. +reputation.buildReputation.burnBsq.button=Leer hoe om BSQ te verbrande +reputation.buildReputation.bsqBond.title=Verbonde BSQ +reputation.buildReputation.bsqBond.description=Soortgelyk aan die verbrande BSQ, maar met terugbetaalbare BSQ verbande.\nBSQ moet vir 'n minimum van 50,000 blokke (ongeveer 1 jaar) verbond wees. +reputation.buildReputation.bsqBond.button=Leer hoe om BSQ te verbonde +reputation.buildReputation.signedAccount.title=Getekende rekening-ouderdom getuie +reputation.buildReputation.signedAccount.description=Gebruikers van Bisq 1 kan reputasie opbou deur hul getekende rekening-ouderdom van Bisq 1 na Bisq 2 te importeer. +reputation.buildReputation.signedAccount.button=Leer hoe om 'n getekende rekening te invoer +reputation.buildReputation.accountAge.title=Rekening-ouderdom +reputation.buildReputation.accountAge.description=Gebruikers van Bisq 1 kan reputasie opbou deur hul rekening-ouderdom van Bisq 1 na Bisq 2 te invoer. +reputation.buildReputation.accountAge.button=Leer hoe om rekening-ouderdom te importeer +reputation.buildReputation.learnMore=Leer meer oor die Bisq reputasiesisteem by die +reputation.buildReputation.learnMore.link=Bisq Wiki. + +# suppress inspection "UnusedProperty" +reputation.source.BURNED_BSQ=Verbrande BSQ +# suppress inspection "UnusedProperty" +reputation.source.BSQ_BOND=Verbonde BSQ +# suppress inspection "UnusedProperty" +reputation.source.PROFILE_AGE=Profiel-ouderdom +# suppress inspection "UnusedProperty" +reputation.source.BISQ1_ACCOUNT_AGE=Rekening-ouderdom +# suppress inspection "UnusedProperty" +reputation.source.BISQ1_SIGNED_ACCOUNT_AGE_WITNESS=Getekende getuie + +reputation.pubKeyHash=Profiel-ID +reputation.weight=Gewig +reputation.score=Telling +reputation.totalScore=Totaal telling +reputation.ranking=Ranking +reputation.score.formulaHeadline=Die reputasie-telling word soos volg bereken: +reputation.score.tooltip=Telling: {0}\nRangorde: {1} + +reputation.burnBsq=Verbrande BSQ +reputation.burnedBsq.tab1=Hoekom +reputation.burnedBsq.tab2=Telling +reputation.burnedBsq.tab3=Hoe om +reputation.burnedBsq.infoHeadline=Huid in die spel +reputation.burnedBsq.info=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.burnedBsq.infoHeadline2=Wat is die aanbevole bedrag om te verbrande? +reputation.burnedBsq.info2=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.burnedBsq.score.headline=Impak op reputasie-telling +reputation.burnedBsq.score.info=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. + +# Dynamically generated in BurnBsqTab2View +# suppress inspection "UnusedProperty" +reputation.burnedBsq.totalScore=Verbrande BSQ bedrag * gewig * (1 + ouderdom / 365) + +reputation.sim.headline=Simulasie-instrument: +reputation.sim.burnAmount=Verbrande BSQ bedrag +# Dynamically generated in BondScoreSimulation +# suppress inspection "UnusedProperty" +reputation.sim.burnAmount.prompt=Voer die BSQ-bedrag in +# suppress inspection "UnusedProperty" +reputation.sim.lockTime=Slottyd in blokke +# Dynamically generated in BondScoreSimulation +# suppress inspection "UnusedProperty" +reputation.sim.lockTime.prompt=Voer vergrendel tyd in +reputation.sim.age=Ouderdom in dae +# Dynamically generated in BondScoreSimulation +# suppress inspection "UnusedProperty" +reputation.sim.age.prompt=Voer die ouderdom in dae in +reputation.sim.score=Totaal telling + +reputation.burnedBsq.howToHeadline=Proses vir die verbrande BSQ +reputation.burnedBsq.howTo=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. + +reputation.bond=BSQ verbande +reputation.bond.tab1=Waarom +reputation.bond.tab2=Telling +reputation.bond.tab3=Hoe om +reputation.bond.infoHeadline=Huid in die spel +reputation.bond.info=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.bond.infoHeadline2=Wat is die aanbevole bedrag en vergrendel tyd? +reputation.bond.info2=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.bond.score.headline=Impak op reputasie-telling +reputation.bond.score.info=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. +# Dynamically generated in BondedReputationTab2View +# suppress inspection "UnusedProperty" +reputation.bond.totalScore=BSQ bedrag * gewig * (1 + ouderdom / 365) + +reputation.bond.howToHeadline=Proses om 'n BSQ verbintenis op te stel +reputation.bond.howTo=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.accountAge=Rekening-ouderdom +reputation.accountAge.tab1=Waarom +reputation.accountAge.tab2=Telling +reputation.accountAge.tab3=Invoer +reputation.accountAge.infoHeadline=Verskaf vertroue +reputation.accountAge.info=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.accountAge.infoHeadline2=Privaatheidsimplikasies +reputation.accountAge.info2=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.accountAge.score.headline=Impak op reputasie-telling +reputation.accountAge.score.info=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. +# Dynamically generated in AccountAgeTab2View +# suppress inspection "UnusedProperty" +reputation.accountAge.totalScore=Rekening-ouderdom in dae * gewig + +reputation.accountAge.import.step1.title=Stap 1 +reputation.accountAge.import.step1.instruction=Kies die gebruikersprofiel waaraan jy die reputasie wil koppel. +reputation.accountAge.import.step2.title=Stap 2 +reputation.accountAge.import.step2.instruction=Kopieer die profiel-ID om op Bisq 1 te plak. +reputation.accountAge.import.step2.profileId=Profiel-ID (Plak op die rekening skerm op Bisq 1) +reputation.accountAge.import.step3.title=Stap 3 +reputation.accountAge.import.step3.instruction1=3.1. - Open Bisq 1 en gaan na 'REKENING/NASIONALE GELDREKENINGE'. +reputation.accountAge.import.step3.instruction2=3.2. - Kies die oudste rekening en klik op 'EXPOREER REKENING-ouderdom VIR BISQ 2'. +reputation.accountAge.import.step3.instruction3=3.3. - Dit sal json-data skep met 'n handtekening van jou Bisq 2 Profiel-ID en dit na die klembord kopieer. +reputation.accountAge.import.step4.title=Stap 4 +reputation.accountAge.import.step4.instruction=Plak die json data van die vorige stap +reputation.accountAge.import.step4.signedMessage=Json data van Bisq 1 + +reputation.signedWitness=Getekende rekening-ouderdom getuie +reputation.signedWitness.tab1=Waarom +reputation.signedWitness.tab2=Telling +reputation.signedWitness.tab3=Hoe om te +reputation.signedWitness.infoHeadline=Verskaf vertroue +reputation.signedWitness.info=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. +reputation.signedWitness.infoHeadline2=Privaatheidsimplikasies +reputation.signedWitness.info2=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. +reputation.signedWitness.score.headline=Impak op reputasie-telling +reputation.signedWitness.score.info=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. +# Dynamically generated in SignedWitnessTab2View +# suppress inspection "UnusedProperty" +reputation.signedWitness.totalScore=Getuige-ouderdom in dae * gewig +reputation.signedWitness.import.step1.title=Stap 1 +reputation.signedWitness.import.step1.instruction=Kies die gebruikersprofiel waarvoor jy die reputasie wil koppel. +reputation.signedWitness.import.step2.title=Stap 2 +reputation.signedWitness.import.step2.instruction=Kopieer die profiel-ID om op Bisq 1 te plak. +reputation.signedWitness.import.step2.profileId=Profiel-ID (Plak op die rekening skerm op Bisq 1) +reputation.signedWitness.import.step3.title=Stap 3 +reputation.signedWitness.import.step3.instruction1=3.1. - Open Bisq 1 en gaan na 'REKENING/NASIONALE GELDREKENINGE'. +reputation.signedWitness.import.step3.instruction2=3.2. - Kies die oudste rekening en klik op 'EXPOREER GETEKENDE GETUIE VIR BISQ 2'. +reputation.signedWitness.import.step3.instruction3=3.3. - Dit sal json-data skep met 'n handtekening van jou Bisq 2 Profiel-ID en dit na die klembord kopieer. +reputation.signedWitness.import.step4.title=Stap 4 +reputation.signedWitness.import.step4.instruction=Plak die json-data van die vorige stap +reputation.signedWitness.import.step4.signedMessage=Json data van Bisq 1 + +reputation.request=Versoek toestemming +reputation.request.success=Suksesvol 'n magtiging versoek van Bisq 1 brugnode gemaak\n\nJou reputasiedata behoort nou beskikbaar te wees in die netwerk. +reputation.request.error=Die versoek om magtiging het misluk. Tekst van klembord:\n\{0} + +reputation.table.headline=Reputasie rangskikking +reputation.table.columns.userProfile=Gebruiker profiel +reputation.table.columns.profileAge=Profiel-ouderdom +reputation.table.columns.livenessState=Laaste gebruikeraktiwiteit +reputation.table.columns.reputationScore=Reputasie-telling +reputation.table.columns.reputation=Reputasie +reputation.table.columns.details=Besonderhede +reputation.table.columns.details.popup.headline=Reputasie besonderhede +reputation.table.columns.details.button=Wys/versteek besonderhede + +reputation.details.table.columns.source=Tipe +reputation.details.table.columns.lockTime=Slot tyd +reputation.details.table.columns.score=Telling + +reputation.reputationScore.headline=Reputasie-telling +reputation.reputationScore.intro=In hierdie afdeling word Bisq reputasie verduidelik sodat jy ingeligte besluite kan neem wanneer jy 'n aanbod aanvaar. +reputation.reputationScore.sellerReputation=Die reputasie van 'n verkoper is die beste sein\nto voorspel die waarskynlikheid van 'n suksesvolle handel in Bisq Easy. +reputation.reputationScore.explanation.intro=Reputasie by Bisq2 word in drie elemente vasgevang: +reputation.reputationScore.explanation.score.title=Telling +reputation.reputationScore.explanation.score.description=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.reputationScore.explanation.ranking.title=Ranking +reputation.reputationScore.explanation.ranking.description=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. +reputation.reputationScore.explanation.stars.title=Sterre +reputation.reputationScore.explanation.stars.description=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.reputationScore.closing=Vir meer besonderhede oor hoe 'n verkoper hul reputasie opgebou het, sien die 'Ranking' afdeling en klik 'Wys/versteek besonderhede' in die gebruiker. + + +################################################################################ +# Bonded roles +################################################################################ + +user.bondedRoles.headline.roles=Verbonde rolle +user.bondedRoles.headline.nodes=Netwerk nodes + + +################################################################################ +# Bonded Role Types +################################################################################ + +user.bondedRoles.type.MEDIATOR=Bemiddelaar +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ARBITRATOR=Skeidsregter +user.bondedRoles.type.MODERATOR=Moderator +user.bondedRoles.type.SECURITY_MANAGER=Sekuriteitsbestuurder +user.bondedRoles.type.RELEASE_MANAGER=Vrystellingsbestuurder + +user.bondedRoles.type.ORACLE_NODE=Oracle-knoop +user.bondedRoles.type.SEED_NODE=Saadnode +user.bondedRoles.type.EXPLORER_NODE=Ontdekker-knoop +user.bondedRoles.type.MARKET_PRICE_NODE=Marktprysnode + + +################################################################################ +# Bonded roles about +################################################################################ + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MEDIATOR.about.inline=bemiddelaar +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ARBITRATOR.about.inline=Skeidsregter +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MODERATOR.about.inline=Moderator +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SECURITY_MANAGER.about.inline=sekuriteitsbestuurder +# suppress inspection "UnusedProperty" +user.bondedRoles.type.RELEASE_MANAGER.about.inline=vrystellingsbestuurder + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ORACLE_NODE.about.inline=orakel node operateur +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SEED_NODE.about.inline=saad node operateur +# suppress inspection "UnusedProperty" +user.bondedRoles.type.EXPLORER_NODE.about.inline=ontdekker node operateur +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MARKET_PRICE_NODE.about.inline=markprijsnode-operateur + +user.bondedRoles.registration.hideInfo=Versteek instruksies +user.bondedRoles.registration.showInfo=Wys instruksies + +user.bondedRoles.registration.about.headline=Oor die {0} rol + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MEDIATOR.about.info=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. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MODERATOR.about.info=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. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SECURITY_MANAGER.about.info='n Sekuriteitsbestuurder kan 'n waarskuwingboodskap stuur in geval van noodgevalle. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.RELEASE_MANAGER.about.info='n Vrystellingsbestuurder kan kennisgewings stuur wanneer 'n nuwe vrystelling beskikbaar is. + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SEED_NODE.about.info='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. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ORACLE_NODE.about.info=Die orakelnode word gebruik om Bisq 1 en DAO data te verskaf vir Bisq 2 gebruiksgevalle soos reputasie. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.EXPLORER_NODE.about.info=Die blockchain verkenner node word in Bisq Easy gebruik vir transaksie soektog van die Bitcoin transaksie. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MARKET_PRICE_NODE.about.info=Die markprysnode verskaf markdata van die Bisq markprysaggregator. + + +################################################################################ +# Bonded roles how +################################################################################ + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MEDIATOR.how.inline='n bemiddelaar +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ARBITRATOR.how.inline='n skeidsregter +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MODERATOR.how.inline='n Moderator +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SECURITY_MANAGER.how.inline='n sekuriteitsbestuurder +# suppress inspection "UnusedProperty" +user.bondedRoles.type.RELEASE_MANAGER.how.inline='n vrystellingsbestuurder + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SEED_NODE.how.inline='n saadnode-operateur +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ORACLE_NODE.how.inline='n orakel node operateur +# suppress inspection "UnusedProperty" +user.bondedRoles.type.EXPLORER_NODE.how.inline='n verbonde rol operateur +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MARKET_PRICE_NODE.how.inline='n markprysnode-operateur + +user.bondedRoles.registration.how.headline=Hoe om {0} te word? + +user.bondedRoles.registration.how.info=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} + +user.bondedRoles.registration.how.info.role=9. Klik die 'Versoek registrasie' knoppie. As alles korrek was, word jou registrasie sigbaar in die Geregistreerde verbonde rolle tabel. + +user.bondedRoles.registration.how.info.node=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. + + +################################################################################ +# Bonded roles registration +################################################################################ + +user.bondedRoles.registration.headline=Versoek registrasie + +user.bondedRoles.registration.profileId=Profiel-ID +user.bondedRoles.registration.bondHolderName=Gebruikersnaam van die verbondhouer +user.bondedRoles.registration.bondHolderName.prompt=Voer die gebruikersnaam van die Bisq 1 verbondhouer in +user.bondedRoles.registration.signature=Handtekening +user.bondedRoles.registration.signature.prompt=Plak die handtekening van jou verbonde rol +user.bondedRoles.registration.requestRegistration=Versoek registrasie +user.bondedRoles.registration.success=Registrasieversoek is suksesvol gestuur. U sal in die tabel hieronder sien of die registrasie suksesvol geverifieer en gepubliseer is deur die orakel-knoop. +user.bondedRoles.registration.failed=Die stuur van die registrasieversoek het gefaal.\n\n\{0} +user.bondedRoles.registration.node.addressInfo=Node adres data +user.bondedRoles.registration.node.addressInfo.prompt=Importeer die 'default_node_address.json' lêer vanaf die node data gids. +user.bondedRoles.registration.node.importAddress=Importeer node adres +user.bondedRoles.registration.node.pubKey=Publieke sleutel +user.bondedRoles.registration.node.privKey=Privaat sleutel +user.bondedRoles.registration.node.showKeyPair=Wys sleutel paar + +################################################################################ +# Bonded roles cancellation +################################################################################ + +user.bondedRoles.cancellation.requestCancellation=Versoek kansellasie +user.bondedRoles.cancellation.success=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. +user.bondedRoles.cancellation.failed=Die stuur van die kansellasieverzoek het misluk.\n\n\{0} + + +################################################################################ +# Registered bonded roles table +################################################################################ + +user.bondedRoles.table.headline.nodes=Geregistreerde netwerk nodes +user.bondedRoles.table.headline.roles=Geregistreerde verbonde rolle + +user.bondedRoles.table.columns.isBanned=Is verbied +user.bondedRoles.table.columns.userProfile=Gebruikersprofiel +user.bondedRoles.table.columns.userProfile.defaultNode=Knoopoperateur met staties verskaf sleutel +user.bondedRoles.table.columns.profileId=Profiel-ID +user.bondedRoles.table.columns.signature=Getekende getuie +# Commented out in code ATM in RolesView +# suppress inspection "UnusedProperty" +user.bondedRoles.table.columns.oracleNode=Oracle-knoop +user.bondedRoles.table.columns.bondUserName=Verbonde gebruikersnaam + +user.bondedRoles.table.columns.role=Rol + +user.bondedRoles.table.columns.node=Knoop +user.bondedRoles.table.columns.node.address=Adres +user.bondedRoles.table.columns.node.address.openPopup=Open adresdata pop-up +user.bondedRoles.table.columns.node.address.popup.headline=Node adres data + + +################################################################################ +# Bonded roles verification +################################################################################ + +user.bondedRoles.verification.howTo.roles=Hoe om 'n verbonde rol te verifieer? +user.bondedRoles.verification.howTo.nodes=Hoe om 'n netwerk node te verifieer? +user.bondedRoles.verification.howTo.instruction=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. + + + + diff --git a/shared/domain/src/commonMain/resources/mobile/reputation_cs.properties b/shared/domain/src/commonMain/resources/mobile/reputation_cs.properties new file mode 100644 index 00000000..fc31b34e --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/reputation_cs.properties @@ -0,0 +1,356 @@ +################################################################################ +# Reputation +################################################################################ + +reputation=Reputace +reputation.buildReputation=Vybudovat reputaci +reputation.reputationScore=Skóre reputace + +reputation.buildReputation.headline=Vybudovat reputaci +reputation.buildReputation.intro.part1=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ě: +reputation.buildReputation.intro.part1.formula.output=Maximální obchodní částka v USD * +reputation.buildReputation.intro.part1.formula.input=Skóre reputace +reputation.buildReputation.intro.part1.formula.footnote=* Převod na měnu, která se používá. +reputation.buildReputation.intro.part2=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.title=Jak mohou prodejci zvýšit svou Reputaci? +reputation.buildReputation.burnBsq.title=Spálení BSQ +reputation.buildReputation.burnBsq.description=Toto je nejsilnější forma reputace.\nSkóre získané spálením BSQ se během prvního roku zdvojnásobí. +reputation.buildReputation.burnBsq.button=Zjistit, jak spálit BSQ +reputation.buildReputation.bsqBond.title=Upsání BSQ +reputation.buildReputation.bsqBond.description=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). +reputation.buildReputation.bsqBond.button=Zjistit, jak upsat BSQ +reputation.buildReputation.signedAccount.title=Podpis svědka stáří účtu +reputation.buildReputation.signedAccount.description=Uživatelé Bisq 1 mohou získat Reputaci importem stáří svého upsaného účtu z Bisq 1 do Bisq 2. +reputation.buildReputation.signedAccount.button=Zjistit, jak importovat upsaný účet +reputation.buildReputation.accountAge.title=Stáří účtu +reputation.buildReputation.accountAge.description=Uživatelé Bisq 1 mohou získat Reputaci importem stáří účtu z Bisq 1 do Bisq 2. +reputation.buildReputation.accountAge.button=Zjistit, jak importovat stáří účtu +reputation.buildReputation.learnMore=Zjistěte více o systému reputace Bisq na +reputation.buildReputation.learnMore.link=Bisq Wiki. + +# suppress inspection "UnusedProperty" +reputation.source.BURNED_BSQ=Spálené BSQ +# suppress inspection "UnusedProperty" +reputation.source.BSQ_BOND=Vložené BSQ +# suppress inspection "UnusedProperty" +reputation.source.PROFILE_AGE=Stáří profilu +# suppress inspection "UnusedProperty" +reputation.source.BISQ1_ACCOUNT_AGE=Stáří účtu +# suppress inspection "UnusedProperty" +reputation.source.BISQ1_SIGNED_ACCOUNT_AGE_WITNESS=Podepsaný svědek + +reputation.pubKeyHash=ID profilu +reputation.weight=Váha +reputation.score=Skóre +reputation.totalScore=Celkové skóre +reputation.ranking=Žebříček +reputation.score.formulaHeadline=Skóre reputace se vypočítá následovně: +reputation.score.tooltip=Hodnocení: {0}\nHodnocení: {1} + +reputation.burnBsq=Spálení BSQ +reputation.burnedBsq.tab1=Proč +reputation.burnedBsq.tab2=Skóre +reputation.burnedBsq.tab3=Jak na to +reputation.burnedBsq.infoHeadline=Závazek v hře +reputation.burnedBsq.info=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.burnedBsq.infoHeadline2=Jaké je doporučené množství k spálení? +reputation.burnedBsq.info2=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.burnedBsq.score.headline=Vliv na skóre reputace +reputation.burnedBsq.score.info=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. + +# Dynamically generated in BurnBsqTab2View +# suppress inspection "UnusedProperty" +reputation.burnedBsq.totalScore=Částka Burned BSQ * váha * (1 + stáří / 365) + +reputation.sim.headline=Simulační nástroj: +reputation.sim.burnAmount=Částka BSQ +# Dynamically generated in BondScoreSimulation +# suppress inspection "UnusedProperty" +reputation.sim.burnAmount.prompt=Zadejte částku BSQ +# suppress inspection "UnusedProperty" +reputation.sim.lockTime=Doba uzamčení v blocích +# Dynamically generated in BondScoreSimulation +# suppress inspection "UnusedProperty" +reputation.sim.lockTime.prompt=Zadejte dobu uzamčení +reputation.sim.age=Stáří v dnech +# Dynamically generated in BondScoreSimulation +# suppress inspection "UnusedProperty" +reputation.sim.age.prompt=Zadejte stáří v dnech +reputation.sim.score=Celkové skóre + +reputation.burnedBsq.howToHeadline=Postup pro spálení BSQ +reputation.burnedBsq.howTo=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. + +reputation.bond=BSQ vklady +reputation.bond.tab1=Proč +reputation.bond.tab2=Skóre +reputation.bond.tab3=Jak na to +reputation.bond.infoHeadline=Závazek v hře +reputation.bond.info=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.bond.infoHeadline2=Jaká je doporučená částka a doba uzamčení? +reputation.bond.info2=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.bond.score.headline=Vliv na skóre reputace +reputation.bond.score.info=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. +# Dynamically generated in BondedReputationTab2View +# suppress inspection "UnusedProperty" +reputation.bond.totalScore=Částka BSQ * váha * (1 + stáří / 365) + +reputation.bond.howToHeadline=Postup pro nastavení BSQ vkladu +reputation.bond.howTo=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.accountAge=Stáří účtu +reputation.accountAge.tab1=Proč +reputation.accountAge.tab2=Skóre +reputation.accountAge.tab3=Importovat +reputation.accountAge.infoHeadline=Poskytnutí důvěry +reputation.accountAge.info=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.accountAge.infoHeadline2=Důsledky ohledně soukromí +reputation.accountAge.info2=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.accountAge.score.headline=Vliv na skóre reputace +reputation.accountAge.score.info=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ů. +# Dynamically generated in AccountAgeTab2View +# suppress inspection "UnusedProperty" +reputation.accountAge.totalScore=Stáří účtu v dnech * váha + +reputation.accountAge.import.step1.title=Krok 1 +reputation.accountAge.import.step1.instruction=Vyberte uživatelský profil, ke kterému chcete připojit reputaci. +reputation.accountAge.import.step2.title=Krok 2 +reputation.accountAge.import.step2.instruction=Zkopírujte identifikátor profilu, který chcete vložit do Bisq 1. +reputation.accountAge.import.step2.profileId=Identifikátor profilu (Vložte na obrazovku účtu v Bisq 1) +reputation.accountAge.import.step3.title=Krok 3 +reputation.accountAge.import.step3.instruction1=3.1. - Otevřete Bisq 1 a jděte na 'ÚČET/NÁRODNÍ MĚNOVÉ ÚČTY'. +reputation.accountAge.import.step3.instruction2=3.2. - Vyberte nejstarší účet a klikněte na 'EXPORTOVAT ÚČET'. +reputation.accountAge.import.step3.instruction3=3.3. - Tím se přidá podepsaná zpráva s identifikátorem profilu Bisq 2. +reputation.accountAge.import.step4.title=Krok 4 +reputation.accountAge.import.step4.instruction=Vložte podpis z Bisq 1 +reputation.accountAge.import.step4.signedMessage=Podepsaná zpráva z Bisq 1 + +reputation.signedWitness=Podpis svědka stáří účtu +reputation.signedWitness.tab1=Proč +reputation.signedWitness.tab2=Skóre +reputation.signedWitness.tab3=Jak na to +reputation.signedWitness.infoHeadline=Poskytnutí důvěry +reputation.signedWitness.info=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ů. +reputation.signedWitness.infoHeadline2=Důsledky ohledně soukromí +reputation.signedWitness.info2=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. +reputation.signedWitness.score.headline=Vliv na skóre reputace +reputation.signedWitness.score.info=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. +# Dynamically generated in SignedWitnessTab2View +# suppress inspection "UnusedProperty" +reputation.signedWitness.totalScore=Stáří svědka v dnech * váha +reputation.signedWitness.import.step1.title=Krok 1 +reputation.signedWitness.import.step1.instruction=Vyberte uživatelský profil, ke kterému chcete připojit reputaci. +reputation.signedWitness.import.step2.title=Krok 2 +reputation.signedWitness.import.step2.instruction=Zkopírujte identifikátor profilu, který chcete vložit do Bisq 1. +reputation.signedWitness.import.step2.profileId=Identifikátor profilu (Vložte na obrazovku účtu v Bisq 1) +reputation.signedWitness.import.step3.title=Krok 3 +reputation.signedWitness.import.step3.instruction1=3.1. - Otevřete Bisq 1 a přejděte na 'ÚČET/NÁRODNÍ MĚNOVÉ ÚČTY'. +reputation.signedWitness.import.step3.instruction2=3.2. - Vyberte nejstarší účet a klikněte na 'EXPORTOVAT PODEPSANÉHO SVĚDKA PRO BISQ 2'. +reputation.signedWitness.import.step3.instruction3=3.3. - Tímto vytvoříte json data s podpisem vašeho Bisq 2 identifikátoru profilu a zkopírujete je do schránky. +reputation.signedWitness.import.step4.title=Krok 4 +reputation.signedWitness.import.step4.instruction=Vložte json data z předchozího kroku +reputation.signedWitness.import.step4.signedMessage=Json data z Bisq 1 + +reputation.request=Požádat o autorizaci +reputation.request.success=Ú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.request.error=Chyba při žádosti o autorizaci. Text ze schránky:\n\{0} + +reputation.table.headline=Hodnocení reputace +reputation.table.columns.userProfile=Uživatelský profil +reputation.table.columns.profileAge=Stáří profilu +reputation.table.columns.livenessState=Naposledy viděn +reputation.table.columns.reputationScore=Skóre reputace +reputation.table.columns.reputation=Reputace +reputation.table.columns.details=Podrobnosti +reputation.table.columns.details.popup.headline=Podrobnosti o reputaci +reputation.table.columns.details.button=Zobrazit podrobnosti + +reputation.details.table.columns.source=Typ +reputation.details.table.columns.lockTime=Doba uzamčení +reputation.details.table.columns.score=Skóre + +reputation.reputationScore.headline=Skóre reputace +reputation.reputationScore.intro=V této části je vysvětlena Reputace Bisq, abyste mohli činit informovaná rozhodnutí při přijímání nabídky. +reputation.reputationScore.sellerReputation=Reputace prodávajícího je nejlepší signál\nto předpovědět pravděpodobnost úspěšného obchodu v Bisq Easy. +reputation.reputationScore.explanation.intro=Reputace na Bisq2 je zachycena ve třech prvcích: +reputation.reputationScore.explanation.score.title=Skóre +reputation.reputationScore.explanation.score.description=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.reputationScore.explanation.ranking.title=Žebříček +reputation.reputationScore.explanation.ranking.description=Ř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. +reputation.reputationScore.explanation.stars.title=Hvězdy +reputation.reputationScore.explanation.stars.description=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.reputationScore.closing=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. + + +################################################################################ +# Bonded roles +################################################################################ + +user.bondedRoles.headline.roles=Připojené role +user.bondedRoles.headline.nodes=Síťové uzly + + +################################################################################ +# Bonded Role Types +################################################################################ + +user.bondedRoles.type.MEDIATOR=Mediátor +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ARBITRATOR=Arbitr +user.bondedRoles.type.MODERATOR=Moderátor +user.bondedRoles.type.SECURITY_MANAGER=Správce bezpečnosti +user.bondedRoles.type.RELEASE_MANAGER=Správce vydání + +user.bondedRoles.type.ORACLE_NODE=Orakulní uzel +user.bondedRoles.type.SEED_NODE=Seed uzel +user.bondedRoles.type.EXPLORER_NODE=Průzkumný uzel +user.bondedRoles.type.MARKET_PRICE_NODE=Uzel s tržními cenami + + +################################################################################ +# Bonded roles about +################################################################################ + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MEDIATOR.about.inline=mediátor +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ARBITRATOR.about.inline=arbitr +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MODERATOR.about.inline=moderátor +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SECURITY_MANAGER.about.inline=správce bezpečnosti +# suppress inspection "UnusedProperty" +user.bondedRoles.type.RELEASE_MANAGER.about.inline=správce vydání + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ORACLE_NODE.about.inline=provozovatel orakulního uzlu +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SEED_NODE.about.inline=provozovatel seed uzlu +# suppress inspection "UnusedProperty" +user.bondedRoles.type.EXPLORER_NODE.about.inline=provozovatel průzkumného uzlu +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MARKET_PRICE_NODE.about.inline=provozovatel uzlu s tržními cenami + +user.bondedRoles.registration.hideInfo=Skrýt pokyny +user.bondedRoles.registration.showInfo=Zobrazit pokyny + +user.bondedRoles.registration.about.headline=O roli {0} + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MEDIATOR.about.info=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. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MODERATOR.about.info=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. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SECURITY_MANAGER.about.info=Bezpečnostní manažer může v případě mimořádných událostí odeslat výstražnou zprávu. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.RELEASE_MANAGER.about.info=Manažer verzí může odesílat oznámení, když je k dispozici nová verze. + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SEED_NODE.about.info=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. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ORACLE_NODE.about.info=Oracle node slouží k poskytování dat Bisq 1 a DAO pro použití v Bisq 2, například pro reputaci. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.EXPLORER_NODE.about.info=Uzel blockchain explorera se používá v Bisq Easy k vyhledávání transakcí v Bitcoin platbě. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MARKET_PRICE_NODE.about.info=Uzel tržní ceny poskytuje tržní data z agregátoru tržní ceny Bisq. + + +################################################################################ +# Bonded roles how +################################################################################ + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MEDIATOR.how.inline=jako mediátor +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ARBITRATOR.how.inline=jako arbitrátor +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MODERATOR.how.inline=jako moderátor +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SECURITY_MANAGER.how.inline=jako správce bezpečnosti +# suppress inspection "UnusedProperty" +user.bondedRoles.type.RELEASE_MANAGER.how.inline=jako manažer verzí + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SEED_NODE.how.inline=jako operátor seed nodu +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ORACLE_NODE.how.inline=jako operátor orákula +# suppress inspection "UnusedProperty" +user.bondedRoles.type.EXPLORER_NODE.how.inline=jako operátor prohlížeče blockchainu +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MARKET_PRICE_NODE.how.inline=jako operátor uzlu tržní ceny + +user.bondedRoles.registration.how.headline=Jak se stát {0}? + +user.bondedRoles.registration.how.info=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} + +user.bondedRoles.registration.how.info.role=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.registration.how.info.node=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. + + +################################################################################ +# Bonded roles registration +################################################################################ + +user.bondedRoles.registration.headline=Žádost o registraci + +user.bondedRoles.registration.profileId=ID profilu +user.bondedRoles.registration.bondHolderName=Uživatelské jméno držitele vkladu +user.bondedRoles.registration.bondHolderName.prompt=Zadejte uživatelské jméno držitele vkladu v Bisq 1 +user.bondedRoles.registration.signature=Podpis +user.bondedRoles.registration.signature.prompt=Vložte podpis ze svého záručního role +user.bondedRoles.registration.requestRegistration=Žádost o registraci +user.bondedRoles.registration.success=Žá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. +user.bondedRoles.registration.failed=Odeslání žádosti o registraci selhalo.\n\n\{0} +user.bondedRoles.registration.node.addressInfo=Data adresy uzlu +user.bondedRoles.registration.node.addressInfo.prompt=Importujte soubor 'default_node_address.json' z datového adresáře uzlu. +user.bondedRoles.registration.node.importAddress=Importovat adresu uzlu +user.bondedRoles.registration.node.pubKey=Veřejný klíč +user.bondedRoles.registration.node.privKey=Soukromý klíč +user.bondedRoles.registration.node.showKeyPair=Zobrazit klíčový pár + +################################################################################ +# Bonded roles cancellation +################################################################################ + +user.bondedRoles.cancellation.requestCancellation=Žádost o zrušení +user.bondedRoles.cancellation.success=Žá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. +user.bondedRoles.cancellation.failed=Odeslání žádosti o zrušení selhalo.\n\n\{0} + + +################################################################################ +# Registered bonded roles table +################################################################################ + +user.bondedRoles.table.headline.nodes=Registrovaní síťoví uzlové operátoři +user.bondedRoles.table.headline.roles=Registrované záruční role + +user.bondedRoles.table.columns.isBanned=Je zabanován +user.bondedRoles.table.columns.userProfile=Uživatelský profil +user.bondedRoles.table.columns.userProfile.defaultNode=Operátor uzlu se staticky poskytovaným klíčem +user.bondedRoles.table.columns.profileId=Identifikátor profilu +user.bondedRoles.table.columns.signature=Podpis +# Commented out in code ATM in RolesView +# suppress inspection "UnusedProperty" +user.bondedRoles.table.columns.oracleNode=Orakulní uzel +user.bondedRoles.table.columns.bondUserName=Uživatelské jméno záručníka + +user.bondedRoles.table.columns.role=Role + +user.bondedRoles.table.columns.node=Uzel +user.bondedRoles.table.columns.node.address=Adresa +user.bondedRoles.table.columns.node.address.openPopup=Otevřít vyskakovací okno s daty adresy +user.bondedRoles.table.columns.node.address.popup.headline=Data adresy uzlu + + +################################################################################ +# Bonded roles verification +################################################################################ + +user.bondedRoles.verification.howTo.roles=Jak ověřit záruční roli? +user.bondedRoles.verification.howTo.nodes=Jak ověřit síťový uzel? +user.bondedRoles.verification.howTo.instruction=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á. + + + + diff --git a/shared/domain/src/commonMain/resources/mobile/reputation_de.properties b/shared/domain/src/commonMain/resources/mobile/reputation_de.properties new file mode 100644 index 00000000..b448b510 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/reputation_de.properties @@ -0,0 +1,356 @@ +################################################################################ +# Reputation +################################################################################ + +reputation=Reputation +reputation.buildReputation=Reputation aufbauen +reputation.reputationScore=Reputationsbewertung + +reputation.buildReputation.headline=Reputation aufbauen +reputation.buildReputation.intro.part1=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: +reputation.buildReputation.intro.part1.formula.output=Maximaler Handelsbetrag in USD * +reputation.buildReputation.intro.part1.formula.input=Reputationsbewertung +reputation.buildReputation.intro.part1.formula.footnote=* In die verwendete Währung umgerechnet. +reputation.buildReputation.intro.part2=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.title=Wie können Verkäufer ihre Reputation aufbauen? +reputation.buildReputation.burnBsq.title=BSQ entwerten +reputation.buildReputation.burnBsq.description=Dies ist die stärkste Form der Reputation.\nDie durch das Burnen von BSQ gewonnene Punktzahl verdoppelt sich im ersten Jahr. +reputation.buildReputation.burnBsq.button=Erfahren Sie, wie man BSQ verbrennt +reputation.buildReputation.bsqBond.title=Gekoppelte BSQ +reputation.buildReputation.bsqBond.description=Ä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. +reputation.buildReputation.bsqBond.button=Erfahren Sie, wie man BSQ koppelt +reputation.buildReputation.signedAccount.title=Signiertes Alter des Kontos +reputation.buildReputation.signedAccount.description=Benutzer von Bisq 1 können Reputation gewinnen, indem sie ihr signiertes Kontoalter von Bisq 1 in Bisq 2 importieren. +reputation.buildReputation.signedAccount.button=Erfahren Sie, wie Sie ein signiertes Konto importieren +reputation.buildReputation.accountAge.title=Alter des Kontos +reputation.buildReputation.accountAge.description=Benutzer von Bisq 1 können Reputation gewinnen, indem sie ihr Kontoalter von Bisq 1 in Bisq 2 importieren. +reputation.buildReputation.accountAge.button=Erfahren Sie, wie Sie das Kontoalter importieren +reputation.buildReputation.learnMore=Erfahren Sie mehr über das Bisq-Reputationssystem unter der +reputation.buildReputation.learnMore.link=Bisq Wiki. + +# suppress inspection "UnusedProperty" +reputation.source.BURNED_BSQ=Entwertetes BSQ +# suppress inspection "UnusedProperty" +reputation.source.BSQ_BOND=Hinterlegter BSQ-Bond +# suppress inspection "UnusedProperty" +reputation.source.PROFILE_AGE=Profilalter +# suppress inspection "UnusedProperty" +reputation.source.BISQ1_ACCOUNT_AGE=Alter des Kontos +# suppress inspection "UnusedProperty" +reputation.source.BISQ1_SIGNED_ACCOUNT_AGE_WITNESS=Signierter Zeuge + +reputation.pubKeyHash=Profil-ID +reputation.weight=Gewichtung +reputation.score=Punktzahl +reputation.totalScore=Gesamtpunktzahl +reputation.ranking=Rangfolge +reputation.score.formulaHeadline=Die Reputation wird wie folgt berechnet: +reputation.score.tooltip=Punktzahl: {0}\nRang: {1} + +reputation.burnBsq=BSQ entwerten +reputation.burnedBsq.tab1=Warum +reputation.burnedBsq.tab2=Punktzahl +reputation.burnedBsq.tab3=Wie +reputation.burnedBsq.infoHeadline=Finanzieller Einsatz +reputation.burnedBsq.info=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.burnedBsq.infoHeadline2=Empfohlene Menge für die Entwertung? +reputation.burnedBsq.info2=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.burnedBsq.score.headline=Auswirkungen auf die Reputation +reputation.burnedBsq.score.info=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. + +# Dynamically generated in BurnBsqTab2View +# suppress inspection "UnusedProperty" +reputation.burnedBsq.totalScore=Burned BSQ Betrag * Gewicht * (1 + Alter / 365) + +reputation.sim.headline=Simulationswerkzeug: +reputation.sim.burnAmount=BSQ-Menge +# Dynamically generated in BondScoreSimulation +# suppress inspection "UnusedProperty" +reputation.sim.burnAmount.prompt=Geben Sie die BSQ-Menge ein +# suppress inspection "UnusedProperty" +reputation.sim.lockTime=Sperrzeit in Blöcken +# Dynamically generated in BondScoreSimulation +# suppress inspection "UnusedProperty" +reputation.sim.lockTime.prompt=Geben Sie die Sperrzeit ein +reputation.sim.age=Alter in Tagen +# Dynamically generated in BondScoreSimulation +# suppress inspection "UnusedProperty" +reputation.sim.age.prompt=Geben Sie das Alter ein +reputation.sim.score=Gesamtpunktzahl + +reputation.burnedBsq.howToHeadline=Ablauf für das Entwerten von BSQ +reputation.burnedBsq.howTo=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. + +reputation.bond=BSQ-Bonds +reputation.bond.tab1=Warum +reputation.bond.tab2=Punktzahl +reputation.bond.tab3=Wie +reputation.bond.infoHeadline=Finanzielle Bindung +reputation.bond.info=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.bond.infoHeadline2=Was ist die empfohlene Menge und Sperrzeit? +reputation.bond.info2=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.bond.score.headline=Auswirkungen auf die Reputation +reputation.bond.score.info=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. +# Dynamically generated in BondedReputationTab2View +# suppress inspection "UnusedProperty" +reputation.bond.totalScore=BSQ-Betrag * Gewicht * (1 + Alter / 365) + +reputation.bond.howToHeadline=Ablauf für die Einrichtung eines BSQ-Bonds +reputation.bond.howTo=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.accountAge=Alter des Kontos +reputation.accountAge.tab1=Warum +reputation.accountAge.tab2=Punktzahl +reputation.accountAge.tab3=Importieren +reputation.accountAge.infoHeadline=Vertrauen aufbauen +reputation.accountAge.info=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.accountAge.infoHeadline2=Privatsphäre-Auswirkungen +reputation.accountAge.info2=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.accountAge.score.headline=Auswirkungen auf die Reputation +reputation.accountAge.score.info=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. +# Dynamically generated in AccountAgeTab2View +# suppress inspection "UnusedProperty" +reputation.accountAge.totalScore=Alter des Kontos in Tagen * Gewichtungsfaktor + +reputation.accountAge.import.step1.title=Schritt 1 +reputation.accountAge.import.step1.instruction=Wähle das Benutzerprofil aus, dem du die Reputation vergeben möchtest. +reputation.accountAge.import.step2.title=Schritt 2 +reputation.accountAge.import.step2.instruction=Kopiere die Profil-ID, um sie in Bisq 1 einzufügen. +reputation.accountAge.import.step2.profileId=Profil-ID (Einfügen auf dem Konto-Screen in Bisq 1) +reputation.accountAge.import.step3.title=Schritt 3 +reputation.accountAge.import.step3.instruction1=3.1. - Öffne Bisq 1 und gehe zu 'KONTO/NATIONALE WÄHRUNGSKONTEN'. +reputation.accountAge.import.step3.instruction2=3.2. - Wähle das älteste Konto aus und klicke auf 'ALTER DES KONTOS FÜR BISQ 2 EXPORTIEREN'. +reputation.accountAge.import.step3.instruction3=3.3. - Dies fügt eine signierte Nachricht mit der Profil-ID von Bisq 2 hinzu. +reputation.accountAge.import.step4.title=Schritt 4 +reputation.accountAge.import.step4.instruction=Füge die Signatur aus Bisq 1 ein +reputation.accountAge.import.step4.signedMessage=Signierte Nachricht von Bisq 1 + +reputation.signedWitness=Signiertes Alter des Kontos +reputation.signedWitness.tab1=Warum +reputation.signedWitness.tab2=Wertung +reputation.signedWitness.tab3=Anleitung +reputation.signedWitness.infoHeadline=Vertrauen schaffen +reputation.signedWitness.info=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. +reputation.signedWitness.infoHeadline2=Datenschutzimplikationen +reputation.signedWitness.info2=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. +reputation.signedWitness.score.headline=Auswirkung auf die Reputation +reputation.signedWitness.score.info=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. +# Dynamically generated in SignedWitnessTab2View +# suppress inspection "UnusedProperty" +reputation.signedWitness.totalScore=Zeugenalter in Tagen * Gewicht +reputation.signedWitness.import.step1.title=Schritt 1 +reputation.signedWitness.import.step1.instruction=Wählen Sie das Benutzerprofil aus, dem Sie die Reputation zuordnen möchten. +reputation.signedWitness.import.step2.title=Schritt 2 +reputation.signedWitness.import.step2.instruction=Kopieren Sie die Profil-ID, um sie in Bisq 1 einzufügen. +reputation.signedWitness.import.step2.profileId=Profil-ID (In den Kontoscreen von Bisq 1 einfügen) +reputation.signedWitness.import.step3.title=Schritt 3 +reputation.signedWitness.import.step3.instruction1=3.1. - Öffnen Sie Bisq 1 und gehen Sie zu 'KONTO/NATIONALE WÄHRUNGSKONTEN'. +reputation.signedWitness.import.step3.instruction2=3.2. - Wählen Sie das älteste Konto aus und klicken Sie auf 'SIGNIERTES ALTER FÜR BISQ 2 EXPORTIEREN'. +reputation.signedWitness.import.step3.instruction3=3.3. - Dies erstellt JSON-Daten mit einer Signatur Ihrer Bisq 2 Profil-ID und kopiert sie in die Zwischenablage. +reputation.signedWitness.import.step4.title=Schritt 4 +reputation.signedWitness.import.step4.instruction=Fügen Sie die JSON-Daten aus dem vorherigen Schritt ein. +reputation.signedWitness.import.step4.signedMessage=JSON-Daten von Bisq 1 + +reputation.request=Autorisierung anfordern +reputation.request.success=Erfolgreich um Autorisierung vom Bisq 1-Brückenknoten angefragt\n\nDeine Reputationsdaten sollten nun im Netzwerk verfügbar sein. +reputation.request.error=Fehler beim Anfordern der Autorisierung. Text aus der Zwischenablage:\n\{0} + +reputation.table.headline=Reputations-Rangliste +reputation.table.columns.userProfile=Benutzerprofil +reputation.table.columns.profileAge=Profilalter +reputation.table.columns.livenessState=Zuletzt online +reputation.table.columns.reputationScore=Reputationsbewertung +reputation.table.columns.reputation=Reputation +reputation.table.columns.details=Details +reputation.table.columns.details.popup.headline=Reputationsdetails +reputation.table.columns.details.button=Details anzeigen + +reputation.details.table.columns.source=Typ +reputation.details.table.columns.lockTime=Sperrzeit +reputation.details.table.columns.score=Wert + +reputation.reputationScore.headline=Reputationsbewertung +reputation.reputationScore.intro=In diesem Abschnitt wird die Bisq Reputation erklärt, damit Sie informierte Entscheidungen beim Annehmen eines Angebots treffen können. +reputation.reputationScore.sellerReputation=Die Reputation eines Verkäufers ist das beste Signal,\num die Wahrscheinlichkeit eines erfolgreichen Handels in Bisq Easy vorherzusagen. +reputation.reputationScore.explanation.intro=Die Reputation bei Bisq2 wird in drei Elementen erfasst: +reputation.reputationScore.explanation.score.title=Wert +reputation.reputationScore.explanation.score.description=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.reputationScore.explanation.ranking.title=Rangfolge +reputation.reputationScore.explanation.ranking.description=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. +reputation.reputationScore.explanation.stars.title=Sterne +reputation.reputationScore.explanation.stars.description=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.reputationScore.closing=Für weitere Details, wie ein Verkäufer seine Reputation aufgebaut hat, siehe den Abschnitt 'Ranking' und klicke auf 'Details anzeigen' im Benutzer. + + +################################################################################ +# Bonded roles +################################################################################ + +user.bondedRoles.headline.roles=Rollen mit hinterlegtem Pfand +user.bondedRoles.headline.nodes=Netzwerkknoten + + +################################################################################ +# Bonded Role Types +################################################################################ + +user.bondedRoles.type.MEDIATOR=Mediator +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ARBITRATOR=Schiedsrichter +user.bondedRoles.type.MODERATOR=Moderator +user.bondedRoles.type.SECURITY_MANAGER=Sicherheitsmanager +user.bondedRoles.type.RELEASE_MANAGER=Release-Manager + +user.bondedRoles.type.ORACLE_NODE=Orakelknoten +user.bondedRoles.type.SEED_NODE=Seed-Knoten +user.bondedRoles.type.EXPLORER_NODE=Explorer-Knoten +user.bondedRoles.type.MARKET_PRICE_NODE=Marktpreis-Knoten + + +################################################################################ +# Bonded roles about +################################################################################ + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MEDIATOR.about.inline=Mediator +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ARBITRATOR.about.inline=Schiedsrichter +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MODERATOR.about.inline=Moderator +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SECURITY_MANAGER.about.inline=Sicherheitsmanager +# suppress inspection "UnusedProperty" +user.bondedRoles.type.RELEASE_MANAGER.about.inline=Release-Manager + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ORACLE_NODE.about.inline=Orakelknoten-Betreiber +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SEED_NODE.about.inline=Seed-Knoten-Betreiber +# suppress inspection "UnusedProperty" +user.bondedRoles.type.EXPLORER_NODE.about.inline=Explorer-Knoten-Betreiber +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MARKET_PRICE_NODE.about.inline=Marktpreis-Knoten-Betreiber + +user.bondedRoles.registration.hideInfo=Anleitung ausblenden +user.bondedRoles.registration.showInfo=Anleitung anzeigen + +user.bondedRoles.registration.about.headline=Über die Rolle {0} + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MEDIATOR.about.info=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. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MODERATOR.about.info=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. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SECURITY_MANAGER.about.info=Ein Sicherheitsmanager kann im Notfall eine Warnmeldung senden. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.RELEASE_MANAGER.about.info=Ein Release-Manager kann Benachrichtigungen senden, wenn ein neues Release verfügbar ist. + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SEED_NODE.about.info=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. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ORACLE_NODE.about.info=Der Orakelknoten wird verwendet, um Daten von Bisq 1 und der DAO für Bisq 2-Anwendungsfälle wie die Reputation bereitzustellen. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.EXPLORER_NODE.about.info=Der Blockchain-Explorer-Knoten wird in Bisq Easy zur Transaktionsnachverfolgung der Bitcoin-Zahlung verwendet. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MARKET_PRICE_NODE.about.info=Der Marktpreis-Knoten liefert Marktdaten vom Bisq-Marktpreis-Aggregator. + + +################################################################################ +# Bonded roles how +################################################################################ + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MEDIATOR.how.inline=ein Mediator +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ARBITRATOR.how.inline=ein Schiedsrichter +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MODERATOR.how.inline=ein Moderator +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SECURITY_MANAGER.how.inline=ein Sicherheitsmanager +# suppress inspection "UnusedProperty" +user.bondedRoles.type.RELEASE_MANAGER.how.inline=ein Release-Manager + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SEED_NODE.how.inline=ein Seed-Knotenbetreiber +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ORACLE_NODE.how.inline=ein Oracle-Knotenbetreiber +# suppress inspection "UnusedProperty" +user.bondedRoles.type.EXPLORER_NODE.how.inline=ein Explorer-Knotenbetreiber +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MARKET_PRICE_NODE.how.inline=ein Market-Price-Knotenbetreiber + +user.bondedRoles.registration.how.headline=Wie wird man {0}? + +user.bondedRoles.registration.how.info=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} + +user.bondedRoles.registration.how.info.role=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.registration.how.info.node=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. + + +################################################################################ +# Bonded roles registration +################################################################################ + +user.bondedRoles.registration.headline=Registrierung beantragen + +user.bondedRoles.registration.profileId=Profil-ID +user.bondedRoles.registration.bondHolderName=Nutzername des Bond-Inhabers +user.bondedRoles.registration.bondHolderName.prompt=Geben Sie den Benutzernamen des Bisq 1-Bond-Inhabers ein +user.bondedRoles.registration.signature=Signatur +user.bondedRoles.registration.signature.prompt=Fügen Sie die Signatur Ihrer Rolle mit hinterlegtem Pfand ein +user.bondedRoles.registration.requestRegistration=Registrierung +user.bondedRoles.registration.success=Die Registrierungsanfrage wurde erfolgreich gesendet. Sie sehen in der Tabelle unten, ob die Registrierung erfolgreich überprüft und vom Oracle-Knoten veröffentlicht wurde. +user.bondedRoles.registration.failed=Senden der Registrierungsanfrage fehlgeschlagen.\n\n\{0} +user.bondedRoles.registration.node.addressInfo=Adressdaten des Knotens +user.bondedRoles.registration.node.addressInfo.prompt=Importieren Sie die Datei 'default_node_address.json' aus dem Knoten-Datenverzeichnis. +user.bondedRoles.registration.node.importAddress=Knoten importieren +user.bondedRoles.registration.node.pubKey=Öffentlicher Schlüssel +user.bondedRoles.registration.node.privKey=Privater Schlüssel +user.bondedRoles.registration.node.showKeyPair=Schlüssel anzeigen + +################################################################################ +# Bonded roles cancellation +################################################################################ + +user.bondedRoles.cancellation.requestCancellation=Stornierungsanfrage stellen +user.bondedRoles.cancellation.success=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. +user.bondedRoles.cancellation.failed=Senden der Stornierungsanfrage fehlgeschlagen.\n\n\{0} + + +################################################################################ +# Registered bonded roles table +################################################################################ + +user.bondedRoles.table.headline.nodes=Registrierte Netzwerkknoten +user.bondedRoles.table.headline.roles=Registrierte Rollen mit hinterlegtem Pfand + +user.bondedRoles.table.columns.isBanned=Ist gesperrt +user.bondedRoles.table.columns.userProfile=Nutzerprofil +user.bondedRoles.table.columns.userProfile.defaultNode=Knoten-Betreiber mit statisch bereitgestelltem Schlüssel +user.bondedRoles.table.columns.profileId=Profil-ID +user.bondedRoles.table.columns.signature=Signatur +# Commented out in code ATM in RolesView +# suppress inspection "UnusedProperty" +user.bondedRoles.table.columns.oracleNode=Oracle-Knoten +user.bondedRoles.table.columns.bondUserName=Bond-Benutzername + +user.bondedRoles.table.columns.role=Rolle + +user.bondedRoles.table.columns.node=Knoten +user.bondedRoles.table.columns.node.address=Adresse +user.bondedRoles.table.columns.node.address.openPopup=Popup mit Adressdaten des Knotens öffnen +user.bondedRoles.table.columns.node.address.popup.headline=Adressdaten des Knotens + + +################################################################################ +# Bonded roles verification +################################################################################ + +user.bondedRoles.verification.howTo.roles=Wie überprüft man eine Rolle mit hinterlegtem Pfand? +user.bondedRoles.verification.howTo.nodes=Wie überprüft man einen Netzwerkknoten? +user.bondedRoles.verification.howTo.instruction=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. + + + + diff --git a/shared/domain/src/commonMain/resources/mobile/reputation_es.properties b/shared/domain/src/commonMain/resources/mobile/reputation_es.properties new file mode 100644 index 00000000..3ea91481 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/reputation_es.properties @@ -0,0 +1,356 @@ +################################################################################ +# Reputation +################################################################################ + +reputation=Reputación +reputation.buildReputation=Construir reputación +reputation.reputationScore=Puntuación de reputación + +reputation.buildReputation.headline=Construir reputación +reputation.buildReputation.intro.part1=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: +reputation.buildReputation.intro.part1.formula.output=Cantidad máxima de comercio en USD * +reputation.buildReputation.intro.part1.formula.input=Puntuación de reputación +reputation.buildReputation.intro.part1.formula.footnote=* Convertido a la moneda utilizada. +reputation.buildReputation.intro.part2=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.title=¿Cómo pueden los vendedores aumentar su Reputación? +reputation.buildReputation.burnBsq.title=Quemar BSQ +reputation.buildReputation.burnBsq.description=Esta es la forma más fuerte de reputación.\nLa puntuación obtenida al quemar BSQ se duplica durante el primer año. +reputation.buildReputation.burnBsq.button=Aprende cómo quemar BSQ +reputation.buildReputation.bsqBond.title=BSQ en garantías +reputation.buildReputation.bsqBond.description=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). +reputation.buildReputation.bsqBond.button=Aprende cómo poner en garantía BSQ +reputation.buildReputation.signedAccount.title=Testigo firmado de antigüedad +reputation.buildReputation.signedAccount.description=Los usuarios de Bisq 1 pueden ganar Reputación importando la Edad de cuenta firmada de Bisq 1 a Bisq 2. +reputation.buildReputation.signedAccount.button=Aprende cómo importar cuenta firmada +reputation.buildReputation.accountAge.title=Edad de cuenta +reputation.buildReputation.accountAge.description=Los usuarios de Bisq 1 pueden ganar reputación importando la edad de su cuenta de Bisq 1 a Bisq 2. +reputation.buildReputation.accountAge.button=Aprende cómo importar la edad de cuenta +reputation.buildReputation.learnMore=Aprende más sobre el sistema de reputación de Bisq en el +reputation.buildReputation.learnMore.link=Wiki de Bisq. + +# suppress inspection "UnusedProperty" +reputation.source.BURNED_BSQ=BSQ quemado +# suppress inspection "UnusedProperty" +reputation.source.BSQ_BOND=BSQ en garantías +# suppress inspection "UnusedProperty" +reputation.source.PROFILE_AGE=Edad del perfil +# suppress inspection "UnusedProperty" +reputation.source.BISQ1_ACCOUNT_AGE=Edad de cuenta +# suppress inspection "UnusedProperty" +reputation.source.BISQ1_SIGNED_ACCOUNT_AGE_WITNESS=Signed witness + +reputation.pubKeyHash=ID de Perfil +reputation.weight=Peso +reputation.score=Puntuación +reputation.totalScore=Puntuación total +reputation.ranking=Clasificación +reputation.score.formulaHeadline=La puntuación de reputación se calcula de la siguiente manera: +reputation.score.tooltip=Puntuación: {0}\nClasificación: {1} + +reputation.burnBsq=Quemar BSQ +reputation.burnedBsq.tab1=Por qué +reputation.burnedBsq.tab2=Puntuación +reputation.burnedBsq.tab3=Cómo hacerlo +reputation.burnedBsq.infoHeadline=Piel en el juego +reputation.burnedBsq.info=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.burnedBsq.infoHeadline2=¿Cuál es la cantidad recomendada para quemar? +reputation.burnedBsq.info2=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.burnedBsq.score.headline=Impacto en la puntuación de reputación +reputation.burnedBsq.score.info=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. + +# Dynamically generated in BurnBsqTab2View +# suppress inspection "UnusedProperty" +reputation.burnedBsq.totalScore=Cantidad de Burned BSQ * peso * (1 + edad / 365) + +reputation.sim.headline=Herramienta de simulación: +reputation.sim.burnAmount=Cantidad de BSQ +# Dynamically generated in BondScoreSimulation +# suppress inspection "UnusedProperty" +reputation.sim.burnAmount.prompt=Ingrese la cantidad de BSQ +# suppress inspection "UnusedProperty" +reputation.sim.lockTime=Tiempo de bloqueo en bloques +# Dynamically generated in BondScoreSimulation +# suppress inspection "UnusedProperty" +reputation.sim.lockTime.prompt=Ingrese el tiempo de bloqueo +reputation.sim.age=Edad en días +# Dynamically generated in BondScoreSimulation +# suppress inspection "UnusedProperty" +reputation.sim.age.prompt=Ingresa la edad en días +reputation.sim.score=Puntuación total + +reputation.burnedBsq.howToHeadline=Proceso para quemar BSQ +reputation.burnedBsq.howTo=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. + +reputation.bond=Bonos BSQ +reputation.bond.tab1=Por qué +reputation.bond.tab2=Puntuación +reputation.bond.tab3=Cómo hacerlo +reputation.bond.infoHeadline=Interés en el juego +reputation.bond.info=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.bond.infoHeadline2=¿Cuál es la cantidad recomendada y el tiempo de bloqueo? +reputation.bond.info2=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.bond.score.headline=Impacto en la Puntuación de Reputación +reputation.bond.score.info=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. +# Dynamically generated in BondedReputationTab2View +# suppress inspection "UnusedProperty" +reputation.bond.totalScore=Cantidad de BSQ * peso * (1 + edad / 365) + +reputation.bond.howToHeadline=Proceso para configurar un BSQ en garantías +reputation.bond.howTo=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.accountAge=Edad de la cuenta +reputation.accountAge.tab1=Por qué +reputation.accountAge.tab2=Puntuación +reputation.accountAge.tab3=Importar +reputation.accountAge.infoHeadline=Proporcionar confianza +reputation.accountAge.info=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.accountAge.infoHeadline2=Implicaciones de privacidad +reputation.accountAge.info2=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.accountAge.score.headline=Impacto en la puntuación de reputación +reputation.accountAge.score.info=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. +# Dynamically generated in AccountAgeTab2View +# suppress inspection "UnusedProperty" +reputation.accountAge.totalScore=Edad de la cuenta en días * peso + +reputation.accountAge.import.step1.title=Paso 1 +reputation.accountAge.import.step1.instruction=Selecciona el perfil de usuario para el cual quieres adjuntar la reputación +reputation.accountAge.import.step2.title=Paso 2 +reputation.accountAge.import.step2.instruction=Copiar la ID del perfil a pegar en Bisq 1. +reputation.accountAge.import.step2.profileId=ID de perfil (Pegar en la pantalla de cuenta de Bisq 1) +reputation.accountAge.import.step3.title=Paso 3 +reputation.accountAge.import.step3.instruction1=3.1. - Abre Bisq 1 y ve a 'CUENTAS/CUENTAS DE MONEDA NACIONAL'. +reputation.accountAge.import.step3.instruction2=3.2. - Selecciona la cuenta más antigua y clicka 'EXPORTAR CUENTA'. +reputation.accountAge.import.step3.instruction3=3.3. - Esto añadirá un mensaje firmado para el perfil de ID de Bisq 2. +reputation.accountAge.import.step4.title=Paso 4 +reputation.accountAge.import.step4.instruction=Pega la firma desde Bisq 1 +reputation.accountAge.import.step4.signedMessage=Firma el Mensaje desde Bisq 1 + +reputation.signedWitness=Testigo firmado de antigüedad +reputation.signedWitness.tab1=Por qué +reputation.signedWitness.tab2=Puntuación +reputation.signedWitness.tab3=Cómo hacerlo +reputation.signedWitness.infoHeadline=Proporcionar confianza +reputation.signedWitness.info=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. +reputation.signedWitness.infoHeadline2=Implicaciones de privacidad +reputation.signedWitness.info2=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. +reputation.signedWitness.score.headline=Impacto en la puntuación de reputación +reputation.signedWitness.score.info=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. +# Dynamically generated in SignedWitnessTab2View +# suppress inspection "UnusedProperty" +reputation.signedWitness.totalScore=Witness-age in days * weight +reputation.signedWitness.import.step1.title=Paso 1 +reputation.signedWitness.import.step1.instruction=Selecciona el perfil de usuario al cual deseas adjuntar la reputación. +reputation.signedWitness.import.step2.title=Paso 2 +reputation.signedWitness.import.step2.instruction=Copia el ID del perfil para pegarlo en Bisq 1. +reputation.signedWitness.import.step2.profileId=ID del perfil (Pegar en la pantalla de cuenta en Bisq 1) +reputation.signedWitness.import.step3.title=Paso 3 +reputation.signedWitness.import.step3.instruction1=3.1. - Abre Bisq 1 y dirígete a 'CUENTAS/MONEDAS NACIONALES'. +reputation.signedWitness.import.step3.instruction2=3.2. - Selecciona la cuenta más antigua y haz clic en 'EXPORTAR TESTIGO FIRMADO PARA BISQ 2'. +reputation.signedWitness.import.step3.instruction3=3.3. - Esto generará datos json con una firma de tu ID de Perfil de Bisq 2 y los copiará al portapapeles. +reputation.signedWitness.import.step4.title=Paso 4 +reputation.signedWitness.import.step4.instruction=Pega los datos json del paso anterior +reputation.signedWitness.import.step4.signedMessage=Datos json de Bisq 1 + +reputation.request=Solicitar autorización +reputation.request.success=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.request.error=La solicitud de autorización ha fallado. Texto del portapapeles:\n\{0} + +reputation.table.headline=Clasificación de reputación +reputation.table.columns.userProfile=Perfil de usuario +reputation.table.columns.profileAge=Edad del perfil +reputation.table.columns.livenessState=Visto por última vez +reputation.table.columns.reputationScore=Puntuación de reputación +reputation.table.columns.reputation=Reputación +reputation.table.columns.details=Detalles +reputation.table.columns.details.popup.headline=Detalles de reputación +reputation.table.columns.details.button=Mostrar detalles + +reputation.details.table.columns.source=Tipo +reputation.details.table.columns.lockTime=Tiempo de bloqueo +reputation.details.table.columns.score=Puntuación + +reputation.reputationScore.headline=Puntuación de reputación +reputation.reputationScore.intro=En esta sección se explica la Reputación de Bisq para que puedas tomar decisiones informadas al aceptar una oferta. +reputation.reputationScore.sellerReputation=La Reputación de un vendedor es la mejor señal\nto predecir la probabilidad de un comercio exitoso en Bisq Easy. +reputation.reputationScore.explanation.intro=La Reputación en Bisq2 se captura en tres elementos: +reputation.reputationScore.explanation.score.title=Puntuación +reputation.reputationScore.explanation.score.description=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.reputationScore.explanation.ranking.title=Clasificación +reputation.reputationScore.explanation.ranking.description=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. +reputation.reputationScore.explanation.stars.title=Estrellas +reputation.reputationScore.explanation.stars.description=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.reputationScore.closing=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. + + +################################################################################ +# Bonded roles +################################################################################ + +user.bondedRoles.headline.roles=Roles Vinculados +user.bondedRoles.headline.nodes=Nodos de Red + + +################################################################################ +# Bonded Role Types +################################################################################ + +user.bondedRoles.type.MEDIATOR=Mediador +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ARBITRATOR=Árbitro +user.bondedRoles.type.MODERATOR=Moderador +user.bondedRoles.type.SECURITY_MANAGER=Gestor de Seguridad +user.bondedRoles.type.RELEASE_MANAGER=Gestor de Lanzamiento + +user.bondedRoles.type.ORACLE_NODE=Nodo Oráculo +user.bondedRoles.type.SEED_NODE=Nodo Semilla +user.bondedRoles.type.EXPLORER_NODE=Nodo Explorador +user.bondedRoles.type.MARKET_PRICE_NODE=Nodo de Precio de Mercado + + +################################################################################ +# Bonded roles about +################################################################################ + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MEDIATOR.about.inline=mediador +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ARBITRATOR.about.inline=árbitro +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MODERATOR.about.inline=moderador +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SECURITY_MANAGER.about.inline=gestor de seguridad +# suppress inspection "UnusedProperty" +user.bondedRoles.type.RELEASE_MANAGER.about.inline=gestor de lanzamiento + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ORACLE_NODE.about.inline=operador de nodo oráculo +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SEED_NODE.about.inline=operador de nodo semilla +# suppress inspection "UnusedProperty" +user.bondedRoles.type.EXPLORER_NODE.about.inline=operador de nodo explorador +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MARKET_PRICE_NODE.about.inline=operador de nodo de precio de mercado + +user.bondedRoles.registration.hideInfo=Ocultar instrucciones +user.bondedRoles.registration.showInfo=Mostrar instrucciones + +user.bondedRoles.registration.about.headline=Acerca del rol de {0} + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MEDIATOR.about.info=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. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MODERATOR.about.info=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. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SECURITY_MANAGER.about.info=Un gestor de seguridad puede enviar un mensaje de alerta en caso de situaciones de emergencia. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.RELEASE_MANAGER.about.info=Un gestor de lanzamiento puede enviar notificaciones cuando haya una nueva versión disponible. + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SEED_NODE.about.info=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. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ORACLE_NODE.about.info=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. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.EXPLORER_NODE.about.info=El nodo explorador de blockchain se utiliza en Bisq Easy para la búsqueda de transacciones de Bitcoin. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MARKET_PRICE_NODE.about.info=El nodo de precio de mercado proporciona datos de mercado del agregador de precios de mercado de Bisq. + + +################################################################################ +# Bonded roles how +################################################################################ + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MEDIATOR.how.inline=un mediador +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ARBITRATOR.how.inline=un árbitro +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MODERATOR.how.inline=un moderador +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SECURITY_MANAGER.how.inline=un gestor de seguridad +# suppress inspection "UnusedProperty" +user.bondedRoles.type.RELEASE_MANAGER.how.inline=un gestor de lanzamiento + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SEED_NODE.how.inline=un operador de nodo semilla +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ORACLE_NODE.how.inline=un operador de nodo oráculo +# suppress inspection "UnusedProperty" +user.bondedRoles.type.EXPLORER_NODE.how.inline=un operador de nodo explorador +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MARKET_PRICE_NODE.how.inline=un operador de nodo de precio de mercado + +user.bondedRoles.registration.how.headline=¿Cómo convertirse en {0}? + +user.bondedRoles.registration.how.info=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} + +user.bondedRoles.registration.how.info.role=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.registration.how.info.node=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. + + +################################################################################ +# Bonded roles registration +################################################################################ + +user.bondedRoles.registration.headline=Solicitar registro + +user.bondedRoles.registration.profileId=ID de perfil +user.bondedRoles.registration.bondHolderName=Nombre de usuario del titular del bono +user.bondedRoles.registration.bondHolderName.prompt=Introduzca el nombre de usuario del titular del bono de Bisq 1 +user.bondedRoles.registration.signature=Firma +user.bondedRoles.registration.signature.prompt=Pegue la firma de su rol vinculado +user.bondedRoles.registration.requestRegistration=Solicitar registro +user.bondedRoles.registration.success=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. +user.bondedRoles.registration.failed=El envío de la solicitud de registro falló.\n\n\{0} +user.bondedRoles.registration.node.addressInfo=Datos de dirección del nodo +user.bondedRoles.registration.node.addressInfo.prompt=Importe el archivo 'default_node_address.json' del directorio de datos del nodo. +user.bondedRoles.registration.node.importAddress=Importar nodo +user.bondedRoles.registration.node.pubKey=Clave pública +user.bondedRoles.registration.node.privKey=Clave privada +user.bondedRoles.registration.node.showKeyPair=Ver claves + +################################################################################ +# Bonded roles cancellation +################################################################################ + +user.bondedRoles.cancellation.requestCancellation=Solicitar cancelación +user.bondedRoles.cancellation.success=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. +user.bondedRoles.cancellation.failed=El envío de la solicitud de cancelación falló.\n\n\{0} + + +################################################################################ +# Registered bonded roles table +################################################################################ + +user.bondedRoles.table.headline.nodes=Nodos de red registrados +user.bondedRoles.table.headline.roles=Roles vinculados registrados + +user.bondedRoles.table.columns.isBanned=Está prohibido +user.bondedRoles.table.columns.userProfile=Perfil de usuario +user.bondedRoles.table.columns.userProfile.defaultNode=Operador de nodo con clave proporcionada estáticamente +user.bondedRoles.table.columns.profileId=ID de perfil +user.bondedRoles.table.columns.signature=Firma +# Commented out in code ATM in RolesView +# suppress inspection "UnusedProperty" +user.bondedRoles.table.columns.oracleNode=Nodo oráculo +user.bondedRoles.table.columns.bondUserName=Nombre de usuario del bono + +user.bondedRoles.table.columns.role=Rol + +user.bondedRoles.table.columns.node=Nodo +user.bondedRoles.table.columns.node.address=Dirección +user.bondedRoles.table.columns.node.address.openPopup=Abrir popup de datos de dirección +user.bondedRoles.table.columns.node.address.popup.headline=Datos de dirección del nodo + + +################################################################################ +# Bonded roles verification +################################################################################ + +user.bondedRoles.verification.howTo.roles=Cómo verificar un rol vinculado? +user.bondedRoles.verification.howTo.nodes=Cómo verificar un nodo de red? +user.bondedRoles.verification.howTo.instruction=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. + + + + diff --git a/shared/domain/src/commonMain/resources/mobile/reputation_it.properties b/shared/domain/src/commonMain/resources/mobile/reputation_it.properties new file mode 100644 index 00000000..2f281083 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/reputation_it.properties @@ -0,0 +1,356 @@ +################################################################################ +# Reputation +################################################################################ + +reputation=Reputazione +reputation.buildReputation=Costruisci Reputazione +reputation.reputationScore=Punteggio di reputazione + +reputation.buildReputation.headline=Costruisci Reputazione +reputation.buildReputation.intro.part1=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: +reputation.buildReputation.intro.part1.formula.output=Importo massimo di scambio in USD * +reputation.buildReputation.intro.part1.formula.input=Punteggio di reputazione +reputation.buildReputation.intro.part1.formula.footnote=* Convertito nella valuta utilizzata. +reputation.buildReputation.intro.part2=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.title=Come possono i venditori costruire la loro Reputazione? +reputation.buildReputation.burnBsq.title=Bruciare BSQ +reputation.buildReputation.burnBsq.description=Questa è la forma più forte di Reputazione.\nIl punteggio guadagnato bruciando BSQ raddoppia durante il primo anno. +reputation.buildReputation.burnBsq.button=Scopri come bruciare BSQ +reputation.buildReputation.bsqBond.title=Vincolare BSQ +reputation.buildReputation.bsqBond.description=Simile al burning di BSQ ma utilizzando obbligazioni BSQ rimborsabili.\nBSQ deve essere vincolato per un minimo di 50.000 blocchi (circa 1 anno). +reputation.buildReputation.bsqBond.button=Scopri come vincolare BSQ +reputation.buildReputation.signedAccount.title=Garante età account +reputation.buildReputation.signedAccount.description=Gli utenti di Bisq 1 possono guadagnare Reputazione importando l'età del loro account firmato da Bisq 1 in Bisq 2. +reputation.buildReputation.signedAccount.button=Scopri come importare un conto firmato +reputation.buildReputation.accountAge.title=Età dell'account +reputation.buildReputation.accountAge.description=Gli utenti di Bisq 1 possono guadagnare Reputazione importando l'Età account da Bisq 1 in Bisq 2. +reputation.buildReputation.accountAge.button=Scopri come importare l'età account +reputation.buildReputation.learnMore=Scopri di più sul sistema di Reputazione di Bisq al +reputation.buildReputation.learnMore.link=Wiki di Bisq. + +# suppress inspection "UnusedProperty" +reputation.source.BURNED_BSQ=BSQ bruciato +# suppress inspection "UnusedProperty" +reputation.source.BSQ_BOND=Legame BSQ +# suppress inspection "UnusedProperty" +reputation.source.PROFILE_AGE=Età del profilo +# suppress inspection "UnusedProperty" +reputation.source.BISQ1_ACCOUNT_AGE=Età dell'account +# suppress inspection "UnusedProperty" +reputation.source.BISQ1_SIGNED_ACCOUNT_AGE_WITNESS=Testimone dell'età dell'account firmato + +reputation.pubKeyHash=ID del profilo +reputation.weight=Peso +reputation.score=Punteggio +reputation.totalScore=Punteggio totale +reputation.ranking=Classifica +reputation.score.formulaHeadline=Il punteggio di reputazione è calcolato come segue: +reputation.score.tooltip=Punteggio: {0}\nClassifica: {1} + +reputation.burnBsq=Bruciare BSQ +reputation.burnedBsq.tab1=Perché +reputation.burnedBsq.tab2=Punteggio +reputation.burnedBsq.tab3=Come fare +reputation.burnedBsq.infoHeadline=Interesse personale nel gioco +reputation.burnedBsq.info=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.burnedBsq.infoHeadline2=Qual è l'importo raccomandato da bruciare? +reputation.burnedBsq.info2=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.burnedBsq.score.headline=Impatto sul punteggio di reputazione +reputation.burnedBsq.score.info=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. + +# Dynamically generated in BurnBsqTab2View +# suppress inspection "UnusedProperty" +reputation.burnedBsq.totalScore=Importo di Burned BSQ * peso * (1 + età / 365) + +reputation.sim.headline=Strumento di simulazione: +reputation.sim.burnAmount=Importo BSQ +# Dynamically generated in BondScoreSimulation +# suppress inspection "UnusedProperty" +reputation.sim.burnAmount.prompt=Inserisci l'importo BSQ +# suppress inspection "UnusedProperty" +reputation.sim.lockTime=Tempo di blocco in blocchi +# Dynamically generated in BondScoreSimulation +# suppress inspection "UnusedProperty" +reputation.sim.lockTime.prompt=Inserisci il tempo di blocco +reputation.sim.age=Età in giorni +# Dynamically generated in BondScoreSimulation +# suppress inspection "UnusedProperty" +reputation.sim.age.prompt=Inserisci l'età in giorni +reputation.sim.score=Punteggio totale + +reputation.burnedBsq.howToHeadline=Processo per bruciare BSQ +reputation.burnedBsq.howTo=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. + +reputation.bond=Legami BSQ +reputation.bond.tab1=Perché +reputation.bond.tab2=Punteggio +reputation.bond.tab3=Come fare +reputation.bond.infoHeadline=Pelle nel gioco +reputation.bond.info=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.bond.infoHeadline2=Qual è l'importo raccomandato e il tempo di blocco? +reputation.bond.info2=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.bond.score.headline=Impatto sul punteggio di reputazione +reputation.bond.score.info=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. +# Dynamically generated in BondedReputationTab2View +# suppress inspection "UnusedProperty" +reputation.bond.totalScore=Importo BSQ * peso * (1 + età / 365) + +reputation.bond.howToHeadline=Processo per impostare un legame BSQ +reputation.bond.howTo=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.accountAge=Età dell'account +reputation.accountAge.tab1=Perché +reputation.accountAge.tab2=Punteggio +reputation.accountAge.tab3=Importa +reputation.accountAge.infoHeadline=Fornire fiducia +reputation.accountAge.info=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.accountAge.infoHeadline2=Implicazioni sulla privacy +reputation.accountAge.info2=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.accountAge.score.headline=Impatto sul punteggio di reputazione +reputation.accountAge.score.info=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. +# Dynamically generated in AccountAgeTab2View +# suppress inspection "UnusedProperty" +reputation.accountAge.totalScore=Età dell'account in giorni * peso + +reputation.accountAge.import.step1.title=Passo 1 +reputation.accountAge.import.step1.instruction=Seleziona il profilo utente a cui vuoi allegare la reputazione. +reputation.accountAge.import.step2.title=Passo 2 +reputation.accountAge.import.step2.instruction=Copia l'ID del profilo per incollarlo su Bisq 1. +reputation.accountAge.import.step2.profileId=ID del Profilo (Incolla sulla schermata del conto su Bisq 1) +reputation.accountAge.import.step3.title=Passo 3 +reputation.accountAge.import.step3.instruction1=3.1. - Apri Bisq 1 e vai su 'CONTO/CONTI VALUTA NAZIONALE'. +reputation.accountAge.import.step3.instruction2=3.2. - Seleziona il conto più vecchio e clicca 'ESPORTA CONTO'. +reputation.accountAge.import.step3.instruction3=3.3. - Questo aggiungerà un messaggio firmato con l'ID del Profilo di Bisq 2. +reputation.accountAge.import.step4.title=Passo 4 +reputation.accountAge.import.step4.instruction=Incolla la firma da Bisq 1 +reputation.accountAge.import.step4.signedMessage=Messaggio Firmato da Bisq 1 + +reputation.signedWitness=Garante età account +reputation.signedWitness.tab1=Perché +reputation.signedWitness.tab2=Punteggio +reputation.signedWitness.tab3=Come fare +reputation.signedWitness.infoHeadline=Fornire fiducia +reputation.signedWitness.info=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. +reputation.signedWitness.infoHeadline2=Implicazioni sulla privacy +reputation.signedWitness.info2=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. +reputation.signedWitness.score.headline=Impatto sul punteggio di reputazione +reputation.signedWitness.score.info=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. +# Dynamically generated in SignedWitnessTab2View +# suppress inspection "UnusedProperty" +reputation.signedWitness.totalScore=Età del testimone in giorni * peso +reputation.signedWitness.import.step1.title=Passo 1 +reputation.signedWitness.import.step1.instruction=Seleziona il profilo utente a cui vuoi allegare la reputazione. +reputation.signedWitness.import.step2.title=Passo 2 +reputation.signedWitness.import.step2.instruction=Copia l'ID del profilo per incollarlo su Bisq 1. +reputation.signedWitness.import.step2.profileId=ID del Profilo (Incolla sulla schermata del conto su Bisq 1) +reputation.signedWitness.import.step3.title=Passo 3 +reputation.signedWitness.import.step3.instruction1=3.1. - Apri Bisq 1 e vai a 'CONTO/CONTI VALUTA NAZIONALE'. +reputation.signedWitness.import.step3.instruction2=3.2. - Seleziona il conto più vecchio e clicca 'ESPORTA TESTIMONE FIRMATO PER BISQ 2'. +reputation.signedWitness.import.step3.instruction3=3.3. - Questo creerà dati json con una firma del tuo ID Profilo Bisq 2 e li copierà negli appunti. +reputation.signedWitness.import.step4.title=Passo 4 +reputation.signedWitness.import.step4.instruction=Incolla i dati json dal passo precedente +reputation.signedWitness.import.step4.signedMessage=Dati json da Bisq 1 + +reputation.request=Autorizza richiesta +reputation.request.success=Autorizzazione richiesta con successo dal nodo ponte di Bisq 1\n\nI tuoi dati di reputazione dovrebbero essere ora disponibili nella rete. +reputation.request.error=Richiesta di autorizzazione fallita. Testo dagli appunti:\n\{0} + +reputation.table.headline=Classifica della reputazione +reputation.table.columns.userProfile=Profilo utente +reputation.table.columns.profileAge=Età del profilo +reputation.table.columns.livenessState=Ultimo accesso +reputation.table.columns.reputationScore=Punteggio di reputazione +reputation.table.columns.reputation=Reputazione +reputation.table.columns.details=Dettagli +reputation.table.columns.details.popup.headline=Dettagli della reputazione +reputation.table.columns.details.button=Mostra dettagli + +reputation.details.table.columns.source=Tipo +reputation.details.table.columns.lockTime=Tempo di blocco +reputation.details.table.columns.score=Punteggio + +reputation.reputationScore.headline=Punteggio di reputazione +reputation.reputationScore.intro=In questa sezione viene spiegata la Reputazione di Bisq in modo che tu possa prendere decisioni informate quando accetti un'offerta. +reputation.reputationScore.sellerReputation=La Reputazione di un venditore è il miglior segnale\nper prevedere la probabilità di un commercio riuscito in Bisq Easy. +reputation.reputationScore.explanation.intro=La Reputazione su Bisq2 è catturata in tre elementi: +reputation.reputationScore.explanation.score.title=Punteggio +reputation.reputationScore.explanation.score.description=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.reputationScore.explanation.ranking.title=Classifica +reputation.reputationScore.explanation.ranking.description=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. +reputation.reputationScore.explanation.stars.title=Stelle +reputation.reputationScore.explanation.stars.description=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.reputationScore.closing=Per ulteriori dettagli su come un venditore ha costruito la propria Reputazione, vedere la sezione 'Classifica' e fare clic su 'Mostra dettagli' nell'utente. + + +################################################################################ +# Bonded roles +################################################################################ + +user.bondedRoles.headline.roles=Ruoli garantiti +user.bondedRoles.headline.nodes=Nodi di rete + + +################################################################################ +# Bonded Role Types +################################################################################ + +user.bondedRoles.type.MEDIATOR=Mediatore +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ARBITRATOR=Arbitro +user.bondedRoles.type.MODERATOR=Moderatore +user.bondedRoles.type.SECURITY_MANAGER=Responsabile della sicurezza +user.bondedRoles.type.RELEASE_MANAGER=Responsabile rilascio + +user.bondedRoles.type.ORACLE_NODE=Nodo Oracle +user.bondedRoles.type.SEED_NODE=Nodo seed +user.bondedRoles.type.EXPLORER_NODE=Nodo esploratore +user.bondedRoles.type.MARKET_PRICE_NODE=Nodo prezzo di mercato + + +################################################################################ +# Bonded roles about +################################################################################ + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MEDIATOR.about.inline=mediatore +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ARBITRATOR.about.inline=arbitro +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MODERATOR.about.inline=moderatore +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SECURITY_MANAGER.about.inline=responsabile della sicurezza +# suppress inspection "UnusedProperty" +user.bondedRoles.type.RELEASE_MANAGER.about.inline=responsabile rilascio + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ORACLE_NODE.about.inline=operatore del nodo Oracle +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SEED_NODE.about.inline=operatore del nodo seed +# suppress inspection "UnusedProperty" +user.bondedRoles.type.EXPLORER_NODE.about.inline=operatore del nodo esploratore +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MARKET_PRICE_NODE.about.inline=operatore del nodo prezzo di mercato + +user.bondedRoles.registration.hideInfo=Nascondi istruzioni +user.bondedRoles.registration.showInfo=Mostra istruzioni + +user.bondedRoles.registration.about.headline=Informazioni sul ruolo di {0} + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MEDIATOR.about.info=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. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MODERATOR.about.info=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. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SECURITY_MANAGER.about.info=Un responsabile della sicurezza può inviare un messaggio di allarme in caso di situazioni di emergenza. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.RELEASE_MANAGER.about.info=Un responsabile rilascio può inviare notifiche quando è disponibile un nuovo rilascio. + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SEED_NODE.about.info=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. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ORACLE_NODE.about.info=Il nodo Oracle è utilizzato per fornire dati Bisq 1 e DAO per casi d'uso di Bisq 2 come la reputazione. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.EXPLORER_NODE.about.info=Il nodo esploratore della blockchain viene utilizzato in Bisq Easy per la ricerca delle transazioni del pagamento Bitcoin. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MARKET_PRICE_NODE.about.info=Il nodo del prezzo di mercato fornisce dati di mercato dall'aggregatore del prezzo di mercato di Bisq. + + +################################################################################ +# Bonded roles how +################################################################################ + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MEDIATOR.how.inline=un mediatore +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ARBITRATOR.how.inline=un arbitro +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MODERATOR.how.inline=un moderatore +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SECURITY_MANAGER.how.inline=un responsabile della sicurezza +# suppress inspection "UnusedProperty" +user.bondedRoles.type.RELEASE_MANAGER.how.inline=un responsabile delle release + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SEED_NODE.how.inline=un operatore di nodi seed +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ORACLE_NODE.how.inline=un operatore di nodi oracle +# suppress inspection "UnusedProperty" +user.bondedRoles.type.EXPLORER_NODE.how.inline=un operatore di nodi esplorativi +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MARKET_PRICE_NODE.how.inline=un operatore di nodi del prezzo di mercato + +user.bondedRoles.registration.how.headline=Come diventare {0}? + +user.bondedRoles.registration.how.info=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} + +user.bondedRoles.registration.how.info.role=9. Clicca sul pulsante 'Richiedi registrazione'. Se tutto è stato corretto, la tua registrazione diventa visibile nella tabella Ruoli con bond registrati. + +user.bondedRoles.registration.how.info.node=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. + + +################################################################################ +# Bonded roles registration +################################################################################ + +user.bondedRoles.registration.headline=Richiedi registrazione + +user.bondedRoles.registration.profileId=ID profilo +user.bondedRoles.registration.bondHolderName=Nome utente del possessore del bond +user.bondedRoles.registration.bondHolderName.prompt=Inserisci il nome utente del possessore del bond di Bisq 1 +user.bondedRoles.registration.signature=Firma +user.bondedRoles.registration.signature.prompt=Incolla la firma del tuo ruolo con bond +user.bondedRoles.registration.requestRegistration=Richiedi registrazione +user.bondedRoles.registration.success=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. +user.bondedRoles.registration.failed=Invio della richiesta di registrazione non riuscito.\n\n\{0} +user.bondedRoles.registration.node.addressInfo=Dati dell'indirizzo del nodo +user.bondedRoles.registration.node.addressInfo.prompt=Importa il file 'default_node_address.json' dalla directory dati del nodo. +user.bondedRoles.registration.node.importAddress=Importa indirizzo nodo +user.bondedRoles.registration.node.pubKey=Chiave pubblica +user.bondedRoles.registration.node.privKey=Chiave privata +user.bondedRoles.registration.node.showKeyPair=Visualizza chiavi + +################################################################################ +# Bonded roles cancellation +################################################################################ + +user.bondedRoles.cancellation.requestCancellation=Richiedi cancellazione +user.bondedRoles.cancellation.success=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. +user.bondedRoles.cancellation.failed=Invio della richiesta di cancellazione non riuscito.\n\n\{0} + + +################################################################################ +# Registered bonded roles table +################################################################################ + +user.bondedRoles.table.headline.nodes=Nodi di rete registrati +user.bondedRoles.table.headline.roles=Ruoli con bond registrati + +user.bondedRoles.table.columns.isBanned=E' bannato +user.bondedRoles.table.columns.userProfile=Profilo utente +user.bondedRoles.table.columns.userProfile.defaultNode=Operatore di nodo con chiave staticamente fornita +user.bondedRoles.table.columns.profileId=ID profilo +user.bondedRoles.table.columns.signature=Firma +# Commented out in code ATM in RolesView +# suppress inspection "UnusedProperty" +user.bondedRoles.table.columns.oracleNode=Operatore del nodo oracle +user.bondedRoles.table.columns.bondUserName=Nome utente del bond + +user.bondedRoles.table.columns.role=Ruolo + +user.bondedRoles.table.columns.node=Nodo +user.bondedRoles.table.columns.node.address=Indirizzo +user.bondedRoles.table.columns.node.address.openPopup=Apri popup con i dati dell'indirizzo +user.bondedRoles.table.columns.node.address.popup.headline=Dati dell'indirizzo del nodo + + +################################################################################ +# Bonded roles verification +################################################################################ + +user.bondedRoles.verification.howTo.roles=Come verificare un ruolo con bond? +user.bondedRoles.verification.howTo.nodes=Come verificare un nodo di rete? +user.bondedRoles.verification.howTo.instruction=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. + + + + diff --git a/shared/domain/src/commonMain/resources/mobile/reputation_pcm.properties b/shared/domain/src/commonMain/resources/mobile/reputation_pcm.properties new file mode 100644 index 00000000..423882bc --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/reputation_pcm.properties @@ -0,0 +1,356 @@ +################################################################################ +# Reputation +################################################################################ + +reputation=Reputashin +reputation.buildReputation=Build Reputashin +reputation.reputationScore=Reputashin Skor + +reputation.buildReputation.headline=Build Reputashin +reputation.buildReputation.intro.part1=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: +reputation.buildReputation.intro.part1.formula.output=Maksimum trad amount for USD * +reputation.buildReputation.intro.part1.formula.input=Reputashin Skor +reputation.buildReputation.intro.part1.formula.footnote=* Converted to di currency wey dem dey use. +reputation.buildReputation.intro.part2=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.title=How sellers fit build their Reputashin? +reputation.buildReputation.burnBsq.title=Burned BSQ +reputation.buildReputation.burnBsq.description=Dis na di strongest form of Reputashin.\nDi skor wey dem gain by burning BSQ double for di first year. +reputation.buildReputation.burnBsq.button=Learn how to burn BSQ +reputation.buildReputation.bsqBond.title=Bonded BSQ +reputation.buildReputation.bsqBond.description=Similar to burning BSQ but using refundable BSQ bonds.\nBSQ need to dey bonded for minimum of 50,000 blocks (about 1 year). +reputation.buildReputation.bsqBond.button=Learn how to bond BSQ +reputation.buildReputation.signedAccount.title=Signed witness for Account age +reputation.buildReputation.signedAccount.description=Pipo wey dey use Bisq 1 fit gain Reputashin by importing their signed account age from Bisq 1 go Bisq 2. +reputation.buildReputation.signedAccount.button=Learn how to import signed witness +reputation.buildReputation.accountAge.title=Akaunt age +reputation.buildReputation.accountAge.description=Pipo wey dey use Bisq 1 fit gain Reputashin by importing their Account age from Bisq 1 go Bisq 2. +reputation.buildReputation.accountAge.button=Learn how to import Account age +reputation.buildReputation.learnMore=Learn more about the Bisq Reputashin system at the +reputation.buildReputation.learnMore.link=Bisq Wiki. + +# suppress inspection "UnusedProperty" +reputation.source.BURNED_BSQ=Burning BSQ +# suppress inspection "UnusedProperty" +reputation.source.BSQ_BOND=Bonded BSQ +# suppress inspection "UnusedProperty" +reputation.source.PROFILE_AGE=Profile age +# suppress inspection "UnusedProperty" +reputation.source.BISQ1_ACCOUNT_AGE=Akaunt age +# suppress inspection "UnusedProperty" +reputation.source.BISQ1_SIGNED_ACCOUNT_AGE_WITNESS=Signed witness + +reputation.pubKeyHash=Profile ID +reputation.weight=Weyt +reputation.score=Skor +reputation.totalScore=Total Reputashin Skor +reputation.ranking=Ranking +reputation.score.formulaHeadline=Reputation score dey calculate like this: +reputation.score.tooltip=Skor: {0}\nRanking: {1} + +reputation.burnBsq=Burned BSQ +reputation.burnedBsq.tab1=Why +reputation.burnedBsq.tab2=Skor +reputation.burnedBsq.tab3=How-to +reputation.burnedBsq.infoHeadline=Skin for di game +reputation.burnedBsq.info=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.burnedBsq.infoHeadline2=What be the recommended amount to burn? +reputation.burnedBsq.info2=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.burnedBsq.score.headline=How e affect reputation score +reputation.burnedBsq.score.info=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. + +# Dynamically generated in BurnBsqTab2View +# suppress inspection "UnusedProperty" +reputation.burnedBsq.totalScore=Burned BSQ amount * weight * (1 + Profile age / 365) + +reputation.sim.headline=Simulashon tool: +reputation.sim.burnAmount=BSQ amount +# Dynamically generated in BondScoreSimulation +# suppress inspection "UnusedProperty" +reputation.sim.burnAmount.prompt=Enter di BSQ amount +# suppress inspection "UnusedProperty" +reputation.sim.lockTime=Lock time for blocks +# Dynamically generated in BondScoreSimulation +# suppress inspection "UnusedProperty" +reputation.sim.lockTime.prompt=Enter lock time +reputation.sim.age=Age for days +# Dynamically generated in BondScoreSimulation +# suppress inspection "UnusedProperty" +reputation.sim.age.prompt=Enter the age for days +reputation.sim.score=Total Skor + +reputation.burnedBsq.howToHeadline=How to burn BSQ +reputation.burnedBsq.howTo=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. + +reputation.bond=Bonded BSQ +reputation.bond.tab1=Why +reputation.bond.tab2=Skor +reputation.bond.tab3=How-to +reputation.bond.infoHeadline=Skin for di game +reputation.bond.info=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.bond.infoHeadline2=Wetn be di recommended amount and lock time? +reputation.bond.info2=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.bond.score.headline=Impak on Reputashin Skor +reputation.bond.score.info=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. +# Dynamically generated in BondedReputationTab2View +# suppress inspection "UnusedProperty" +reputation.bond.totalScore=BSQ amount * weight * (1 + Profile age / 365) + +reputation.bond.howToHeadline=How to set up BSQ bond +reputation.bond.howTo=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.accountAge=Akaunt age +reputation.accountAge.tab1=Why +reputation.accountAge.tab2=Skor +reputation.accountAge.tab3=Import +reputation.accountAge.infoHeadline=Provide trust +reputation.accountAge.info=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.accountAge.infoHeadline2=Implications for Privacy +reputation.accountAge.info2=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.accountAge.score.headline=How e affect reputation score +reputation.accountAge.score.info=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. +# Dynamically generated in AccountAgeTab2View +# suppress inspection "UnusedProperty" +reputation.accountAge.totalScore=Account age for days * weight + +reputation.accountAge.import.step1.title=Step 1 +reputation.accountAge.import.step1.instruction=Select di user profile wey you wan attach di Reputashin. +reputation.accountAge.import.step2.title=Step 2 +reputation.accountAge.import.step2.instruction=Copy di profile ID make you paste am for Bisq 1. +reputation.accountAge.import.step2.profileId=Profile ID (Paste for di akaunt screen for Bisq 1) +reputation.accountAge.import.step3.title=Step 3 +reputation.accountAge.import.step3.instruction1=3.1. - Open Bisq 1 and go to 'AKAUNT/NATIONAL CURRENCY AKAUNTS'. +reputation.accountAge.import.step3.instruction2=3.2. - Select di oldest account and click 'EXPORT ACCOUNT AGE FOR BISQ 2'. +reputation.accountAge.import.step3.instruction3=3.3. - Dis go create json data wey get signature of your Bisq 2 Profile ID and copy am to di clipboard. +reputation.accountAge.import.step4.title=Step 4 +reputation.accountAge.import.step4.instruction=Paste di json data from di previous step +reputation.accountAge.import.step4.signedMessage=Json data from Bisq 1 + +reputation.signedWitness=Signed witness for account age +reputation.signedWitness.tab1=Why +reputation.signedWitness.tab2=Skor +reputation.signedWitness.tab3=How-to +reputation.signedWitness.infoHeadline=Provide trust +reputation.signedWitness.info=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. +reputation.signedWitness.infoHeadline2=Implications for Privacy +reputation.signedWitness.info2=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. +reputation.signedWitness.score.headline=How e affect reputation score +reputation.signedWitness.score.info=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. +# Dynamically generated in SignedWitnessTab2View +# suppress inspection "UnusedProperty" +reputation.signedWitness.totalScore=Witness-age in days * weight +reputation.signedWitness.import.step1.title=Step 1 +reputation.signedWitness.import.step1.instruction=Select di user profile wey you wan attach di reputation. +reputation.signedWitness.import.step2.title=Step 2 +reputation.signedWitness.import.step2.instruction=Copy di profile ID to paste for Bisq 1. +reputation.signedWitness.import.step2.profileId=Profile ID (Paste am for di account screen for Bisq 1) +reputation.signedWitness.import.step3.title=Step 3 +reputation.signedWitness.import.step3.instruction1=3.1. - Open Bisq 1 and go to 'AKAUNT/NATIONAL CURRENCY AKAUNTS'. +reputation.signedWitness.import.step3.instruction2=3.2. - Select di oldest account and click 'EXPORT SIGNED WITNESS FOR BISQ 2'. +reputation.signedWitness.import.step3.instruction3=3.3. - Dis go create json data with signature of your Bisq 2 Profile ID and copy am to di clipboard. +reputation.signedWitness.import.step4.title=Step 4 +reputation.signedWitness.import.step4.instruction=Paste di json data from di previous step +reputation.signedWitness.import.step4.signedMessage=Json data from Bisq 1 + +reputation.request=Request autorization +reputation.request.success=You don successfully request authorization from Bisq 1 bridge node\n\nYour Reputashin data suppose dey available for the network now. +reputation.request.error=Request for authorization no work. Text wey dey from clipboard:\n\{0} + +reputation.table.headline=Reputashin ranking +reputation.table.columns.userProfile=User Profile +reputation.table.columns.profileAge=Profile age +reputation.table.columns.livenessState=Last user aktiviti +reputation.table.columns.reputationScore=Reputashin Skor +reputation.table.columns.reputation=Reputashin +reputation.table.columns.details=Detaile +reputation.table.columns.details.popup.headline=Reputashin details +reputation.table.columns.details.button=Show detaile + +reputation.details.table.columns.source=Type +reputation.details.table.columns.lockTime=Lock time +reputation.details.table.columns.score=Skor + +reputation.reputationScore.headline=Reputashin Skor +reputation.reputationScore.intro=For dis sekshon, Bisq Reputashin dey explain so that you fit make better decisions when you dey take offer. +reputation.reputationScore.sellerReputation=Reputashin for seller na di best signal\nto predict di likelihood of a successful trade for Bisq Easy. +reputation.reputationScore.explanation.intro=Reputashin for Bisq2 dey captured for three elements: +reputation.reputationScore.explanation.score.title=Skor +reputation.reputationScore.explanation.score.description=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.reputationScore.explanation.ranking.title=Ranking +reputation.reputationScore.explanation.ranking.description=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. +reputation.reputationScore.explanation.stars.title=Stars +reputation.reputationScore.explanation.stars.description=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.reputationScore.closing=If you wan know more about how seller don build their Reputashin, check 'Ranking' section and click 'Show details' for the user. + + +################################################################################ +# Bonded roles +################################################################################ + +user.bondedRoles.headline.roles=Bonded rolz +user.bondedRoles.headline.nodes=Netwok nodes + + +################################################################################ +# Bonded Role Types +################################################################################ + +user.bondedRoles.type.MEDIATOR=Mediata +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ARBITRATOR=Arbitre +user.bondedRoles.type.MODERATOR=Moderator +user.bondedRoles.type.SECURITY_MANAGER=Sekuriti manager +user.bondedRoles.type.RELEASE_MANAGER=Release manager + +user.bondedRoles.type.ORACLE_NODE=Oracle node +user.bondedRoles.type.SEED_NODE=Seed node +user.bondedRoles.type.EXPLORER_NODE=Explorer node +user.bondedRoles.type.MARKET_PRICE_NODE=Markit price node + + +################################################################################ +# Bonded roles about +################################################################################ + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MEDIATOR.about.inline=mediata +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ARBITRATOR.about.inline=arbitre +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MODERATOR.about.inline=modereta +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SECURITY_MANAGER.about.inline=sekiriti manaja +# suppress inspection "UnusedProperty" +user.bondedRoles.type.RELEASE_MANAGER.about.inline=release manager + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ORACLE_NODE.about.inline=oracle node operator +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SEED_NODE.about.inline=seed node operator +# suppress inspection "UnusedProperty" +user.bondedRoles.type.EXPLORER_NODE.about.inline=explorer node operator +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MARKET_PRICE_NODE.about.inline=market price node operator + +user.bondedRoles.registration.hideInfo=Hide instrakshons +user.bondedRoles.registration.showInfo=Show instrakshons + +user.bondedRoles.registration.about.headline=About di {0} role + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MEDIATOR.about.info=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. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MODERATOR.about.info=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. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SECURITY_MANAGER.about.info=Security manager fit send alert message if emergency situation show face. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.RELEASE_MANAGER.about.info=Release manager fit send notification wen new release dey available. + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SEED_NODE.about.info=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. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ORACLE_NODE.about.info=Oracle node dey use to provide Bisq 1 and DAO data for Bisq 2 use cases like reputation. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.EXPLORER_NODE.about.info=Blockchain explorer node dey use for transaction lookup of the Bitcoin transaction for Bisq Easy. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MARKET_PRICE_NODE.about.info=Market price node dey provide market data from the Bisq market price aggregator. + + +################################################################################ +# Bonded roles how +################################################################################ + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MEDIATOR.how.inline=person wey fit mediate +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ARBITRATOR.how.inline=person wey fit arbitrate +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MODERATOR.how.inline=person wey fit moderate +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SECURITY_MANAGER.how.inline=person wey fit manage security +# suppress inspection "UnusedProperty" +user.bondedRoles.type.RELEASE_MANAGER.how.inline=person wey fit manage release + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SEED_NODE.how.inline=person wey dey operate seed node +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ORACLE_NODE.how.inline=person wey dey operate oracle node +# suppress inspection "UnusedProperty" +user.bondedRoles.type.EXPLORER_NODE.how.inline=person wey dey operate explorer node +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MARKET_PRICE_NODE.how.inline=person wey dey operate market price node + +user.bondedRoles.registration.how.headline=How you fit become {0}? + +user.bondedRoles.registration.how.info=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} + +user.bondedRoles.registration.how.info.role=8. Click 'Request registration' button. If everything correct, your registration go show for Registered bonded roles table. + +user.bondedRoles.registration.how.info.node=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. + + +################################################################################ +# Bonded roles registration +################################################################################ + +user.bondedRoles.registration.headline=Request registrashon + +user.bondedRoles.registration.profileId=Profile ID +user.bondedRoles.registration.bondHolderName=Username of bond holder +user.bondedRoles.registration.bondHolderName.prompt=Enter di username of di Bisq 1 bond holder +user.bondedRoles.registration.signature=Signed witness +user.bondedRoles.registration.signature.prompt=Paste the signature from your bonded role +user.bondedRoles.registration.requestRegistration=Request registrashon +user.bondedRoles.registration.success=Registration request don successfully send. You go see for the table down if the registration don verify and publish by the oracle node. +user.bondedRoles.registration.failed=Sending the registration request fail.\n\n\{0} +user.bondedRoles.registration.node.addressInfo=Node adres data +user.bondedRoles.registration.node.addressInfo.prompt=Import di 'default_node_address.json' file from di node data directory. +user.bondedRoles.registration.node.importAddress=Import Walet address +user.bondedRoles.registration.node.pubKey=Public key +user.bondedRoles.registration.node.privKey=Privet key +user.bondedRoles.registration.node.showKeyPair=Show key pair + +################################################################################ +# Bonded roles cancellation +################################################################################ + +user.bondedRoles.cancellation.requestCancellation=Request Cancelseshon +user.bondedRoles.cancellation.success=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. +user.bondedRoles.cancellation.failed=Sending the cancellation request fail.\n\n\{0} + + +################################################################################ +# Registered bonded roles table +################################################################################ + +user.bondedRoles.table.headline.nodes=Registered netwok nodes +user.bondedRoles.table.headline.roles=Registered Bonded Roles + +user.bondedRoles.table.columns.isBanned=Dem don ban am? +user.bondedRoles.table.columns.userProfile=User Profile +user.bondedRoles.table.columns.userProfile.defaultNode=Node operator wey get statically provided key +user.bondedRoles.table.columns.profileId=Profile ID +user.bondedRoles.table.columns.signature=Signed witness +# Commented out in code ATM in RolesView +# suppress inspection "UnusedProperty" +user.bondedRoles.table.columns.oracleNode=Oracle node +user.bondedRoles.table.columns.bondUserName=Bonded username + +user.bondedRoles.table.columns.role=Rol + +user.bondedRoles.table.columns.node=Node +user.bondedRoles.table.columns.node.address=Adres +user.bondedRoles.table.columns.node.address.openPopup=Open adres data popup +user.bondedRoles.table.columns.node.address.popup.headline=Node adres data + + +################################################################################ +# Bonded roles verification +################################################################################ + +user.bondedRoles.verification.howTo.roles=How to verify bonded role? +user.bondedRoles.verification.howTo.nodes=How to verify network node? +user.bondedRoles.verification.howTo.instruction=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. + + + + diff --git a/shared/domain/src/commonMain/resources/mobile/reputation_pt_BR.properties b/shared/domain/src/commonMain/resources/mobile/reputation_pt_BR.properties new file mode 100644 index 00000000..a2bfbd9f --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/reputation_pt_BR.properties @@ -0,0 +1,356 @@ +################################################################################ +# Reputation +################################################################################ + +reputation=Reputação +reputation.buildReputation=Construir Reputação +reputation.reputationScore=Pontuação de reputação + +reputation.buildReputation.headline=Construir Reputação +reputation.buildReputation.intro.part1=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: +reputation.buildReputation.intro.part1.formula.output=Valor máximo da negociação em USD * +reputation.buildReputation.intro.part1.formula.input=Pontuação de reputação +reputation.buildReputation.intro.part1.formula.footnote=* Convertido para a moeda utilizada. +reputation.buildReputation.intro.part2=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.title=Como os vendedores podem aumentar sua Reputação? +reputation.buildReputation.burnBsq.title=Queimar BSQ +reputation.buildReputation.burnBsq.description=Esta é a forma mais forte de Reputação.\nA Pontuação obtida ao queimar BSQ dobra durante o primeiro ano. +reputation.buildReputation.burnBsq.button=Saiba como queimar BSQ +reputation.buildReputation.bsqBond.title=Vinculando BSQ +reputation.buildReputation.bsqBond.description=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). +reputation.buildReputation.bsqBond.button=Saiba como vincular BSQ +reputation.buildReputation.signedAccount.title=Testemunha Assinada +reputation.buildReputation.signedAccount.description=Os usuários do Bisq 1 podem ganhar Reputação importando a Idade da conta assinada do Bisq 1 para o Bisq 2. +reputation.buildReputation.signedAccount.button=Saiba como importar conta assinada +reputation.buildReputation.accountAge.title=Idade da conta +reputation.buildReputation.accountAge.description=Os usuários do Bisq 1 podem ganhar Reputação importando a Idade da conta do Bisq 1 para o Bisq 2. +reputation.buildReputation.accountAge.button=Saiba como importar a idade da conta +reputation.buildReputation.learnMore=Saiba mais sobre o sistema de Reputação do Bisq no +reputation.buildReputation.learnMore.link=Wiki do Bisq. + +# suppress inspection "UnusedProperty" +reputation.source.BURNED_BSQ=BSQ queimado +# suppress inspection "UnusedProperty" +reputation.source.BSQ_BOND=BSQ vinculado +# suppress inspection "UnusedProperty" +reputation.source.PROFILE_AGE=Idade do perfil +# suppress inspection "UnusedProperty" +reputation.source.BISQ1_ACCOUNT_AGE=Idade da conta +# suppress inspection "UnusedProperty" +reputation.source.BISQ1_SIGNED_ACCOUNT_AGE_WITNESS=Testemunha assinada + +reputation.pubKeyHash=ID do Perfil +reputation.weight=Peso +reputation.score=Pontuação +reputation.totalScore=Pontuação total +reputation.ranking=Classificação +reputation.score.formulaHeadline=A pontuação de reputação é calculada da seguinte forma: +reputation.score.tooltip=Puntuación: {0}\nRanking: {1} + +reputation.burnBsq=Queimar BSQ +reputation.burnedBsq.tab1=Por quê +reputation.burnedBsq.tab2=Pontuação +reputation.burnedBsq.tab3=Como fazer +reputation.burnedBsq.infoHeadline=Compromisso com o jogo +reputation.burnedBsq.info=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.burnedBsq.infoHeadline2=Qual é a quantidade recomendada para queimar? +reputation.burnedBsq.info2=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.burnedBsq.score.headline=Impacto na pontuação de reputação +reputation.burnedBsq.score.info=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. + +# Dynamically generated in BurnBsqTab2View +# suppress inspection "UnusedProperty" +reputation.burnedBsq.totalScore=Quantidade de BSQ queimado * peso * (1 + idade / 365) + +reputation.sim.headline=Ferramenta de simulação: +reputation.sim.burnAmount=Quantidade de BSQ +# Dynamically generated in BondScoreSimulation +# suppress inspection "UnusedProperty" +reputation.sim.burnAmount.prompt=Digite a quantidade de BSQ +# suppress inspection "UnusedProperty" +reputation.sim.lockTime=Tempo de bloqueio em blocos +# Dynamically generated in BondScoreSimulation +# suppress inspection "UnusedProperty" +reputation.sim.lockTime.prompt=Digite o tempo de bloqueio +reputation.sim.age=Idade em dias +# Dynamically generated in BondScoreSimulation +# suppress inspection "UnusedProperty" +reputation.sim.age.prompt=Digite a idade em dias +reputation.sim.score=Pontuação total + +reputation.burnedBsq.howToHeadline=Processo para queimar BSQ +reputation.burnedBsq.howTo=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. + +reputation.bond=Vínculos BSQ +reputation.bond.tab1=Por quê +reputation.bond.tab2=Pontuação +reputation.bond.tab3=Como fazer +reputation.bond.infoHeadline=Compromisso com o jogo +reputation.bond.info=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.bond.infoHeadline2=Qual é o valor e o tempo de bloqueio recomendados? +reputation.bond.info2=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.bond.score.headline=Impacto na pontuação de reputação +reputation.bond.score.info=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. +# Dynamically generated in BondedReputationTab2View +# suppress inspection "UnusedProperty" +reputation.bond.totalScore=Quantidade de BSQ * peso * (1 + idade / 365) + +reputation.bond.howToHeadline=Processo para configurar um vínculo BSQ +reputation.bond.howTo=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.accountAge=Idade da conta +reputation.accountAge.tab1=Por quê +reputation.accountAge.tab2=Pontuação +reputation.accountAge.tab3=Importar +reputation.accountAge.infoHeadline=Proporcionar confiança +reputation.accountAge.info=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.accountAge.infoHeadline2=Implicações de privacidade +reputation.accountAge.info2=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.accountAge.score.headline=Impacto na pontuação de reputação +reputation.accountAge.score.info=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. +# Dynamically generated in AccountAgeTab2View +# suppress inspection "UnusedProperty" +reputation.accountAge.totalScore=Idade da conta em dias * peso + +reputation.accountAge.import.step1.title=Passo 1 +reputation.accountAge.import.step1.instruction=Selecione o perfil de usuário ao qual você deseja atribuir a reputação. +reputation.accountAge.import.step2.title=Passo 2 +reputation.accountAge.import.step2.instruction=Copie o ID de perfil para colar na Bisq 1. +reputation.accountAge.import.step2.profileId=ID de perfil (Cole na tela de conta na Bisq 1) +reputation.accountAge.import.step3.title=Passo 3 +reputation.accountAge.import.step3.instruction1=3.1. - Abra a Bisq 1 e vá para 'CONTA/CONTAS DE MOEDA NACIONAL'. +reputation.accountAge.import.step3.instruction2=3.2. - Selecione a conta mais antiga e clique em 'EXPORTAR IDADE DA CONTA PARA BISQ 2'. +reputation.accountAge.import.step3.instruction3=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. +reputation.accountAge.import.step4.title=Passo 4 +reputation.accountAge.import.step4.instruction=Cole os dados json do passo anterior +reputation.accountAge.import.step4.signedMessage=Dados json da Bisq 1 + +reputation.signedWitness=Testemunha Assinada +reputation.signedWitness.tab1=Por quê +reputation.signedWitness.tab2=Pontuação +reputation.signedWitness.tab3=Como fazer +reputation.signedWitness.infoHeadline=Proporcionar confiança +reputation.signedWitness.info=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. +reputation.signedWitness.infoHeadline2=Implicações de privacidade +reputation.signedWitness.info2=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. +reputation.signedWitness.score.headline=Impacto na pontuação de reputação +reputation.signedWitness.score.info=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. +# Dynamically generated in SignedWitnessTab2View +# suppress inspection "UnusedProperty" +reputation.signedWitness.totalScore=Idade da testemunha em dias * peso +reputation.signedWitness.import.step1.title=Passo 1 +reputation.signedWitness.import.step1.instruction=Selecione o perfil de usuário ao qual você deseja atribuir a reputação. +reputation.signedWitness.import.step2.title=Passo 2 +reputation.signedWitness.import.step2.instruction=Copie o ID de perfil para colar na Bisq 1. +reputation.signedWitness.import.step2.profileId=ID de perfil (Cole na tela de conta na Bisq 1) +reputation.signedWitness.import.step3.title=Passo 3 +reputation.signedWitness.import.step3.instruction1=3.1. - Abra a Bisq 1 e vá para 'CONTA/CONTAS DE MOEDA NACIONAL'. +reputation.signedWitness.import.step3.instruction2=3.2. - Selecione a conta mais antiga e clique em 'EXPORTAR TESTEMUNHA ASSINADA PARA BISQ 2'. +reputation.signedWitness.import.step3.instruction3=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. +reputation.signedWitness.import.step4.title=Passo 4 +reputation.signedWitness.import.step4.instruction=Cole os dados json do passo anterior +reputation.signedWitness.import.step4.signedMessage=Dados json da Bisq 1 + +reputation.request=Solicitar autorização +reputation.request.success=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.request.error=Falha ao solicitar autorização. Texto da área de transferência:\n\{0} + +reputation.table.headline=Classificação de reputação +reputation.table.columns.userProfile=Perfil do usuário +reputation.table.columns.profileAge=Idade do perfil +reputation.table.columns.livenessState=Última atividade do usuário +reputation.table.columns.reputationScore=Pontuação de reputação +reputation.table.columns.reputation=Reputação +reputation.table.columns.details=Detalhes +reputation.table.columns.details.popup.headline=Detalhes da reputação +reputation.table.columns.details.button=Mostrar detalhes + +reputation.details.table.columns.source=Tipo +reputation.details.table.columns.lockTime=Tempo de bloqueio +reputation.details.table.columns.score=Pontuação + +reputation.reputationScore.headline=Pontuação de reputação +reputation.reputationScore.intro=Nesta seção, a Reputação do Bisq é explicada para que você possa tomar decisões informadas ao aceitar uma oferta. +reputation.reputationScore.sellerReputation=A Reputação de um vendedor é o melhor sinal\nto prever a probabilidade de uma negociação bem-sucedida no Bisq Easy. +reputation.reputationScore.explanation.intro=A Reputação no Bisq é capturada em três elementos: +reputation.reputationScore.explanation.score.title=Pontuação +reputation.reputationScore.explanation.score.description=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.reputationScore.explanation.ranking.title=Classificação +reputation.reputationScore.explanation.ranking.description=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. +reputation.reputationScore.explanation.stars.title=Estrelas +reputation.reputationScore.explanation.stars.description=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.reputationScore.closing=Para mais detalhes sobre como um vendedor construiu sua Reputação, veja a seção 'Ranking' e clique em 'Mostrar detalhes' no usuário. + + +################################################################################ +# Bonded roles +################################################################################ + +user.bondedRoles.headline.roles=Papéis vinculados +user.bondedRoles.headline.nodes=Nós da rede + + +################################################################################ +# Bonded Role Types +################################################################################ + +user.bondedRoles.type.MEDIATOR=Mediador +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ARBITRATOR=Árbitro +user.bondedRoles.type.MODERATOR=Moderador +user.bondedRoles.type.SECURITY_MANAGER=Gerente de segurança +user.bondedRoles.type.RELEASE_MANAGER=Gerente de lançamento + +user.bondedRoles.type.ORACLE_NODE=Nó oráculo +user.bondedRoles.type.SEED_NODE=Nó seed +user.bondedRoles.type.EXPLORER_NODE=Nó explorador +user.bondedRoles.type.MARKET_PRICE_NODE=Nó de preço de mercado + + +################################################################################ +# Bonded roles about +################################################################################ + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MEDIATOR.about.inline=mediador +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ARBITRATOR.about.inline=árbitro +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MODERATOR.about.inline=moderador +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SECURITY_MANAGER.about.inline=gerente de segurança +# suppress inspection "UnusedProperty" +user.bondedRoles.type.RELEASE_MANAGER.about.inline=gerente de lançamento + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ORACLE_NODE.about.inline=operador de nó oráculo +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SEED_NODE.about.inline=operador de nó semente +# suppress inspection "UnusedProperty" +user.bondedRoles.type.EXPLORER_NODE.about.inline=operador de nó explorador +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MARKET_PRICE_NODE.about.inline=operador de nó de preço de mercado + +user.bondedRoles.registration.hideInfo=Ocultar instruções +user.bondedRoles.registration.showInfo=Mostrar instruções + +user.bondedRoles.registration.about.headline=Sobre o papel de {0} + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MEDIATOR.about.info=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. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MODERATOR.about.info=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. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SECURITY_MANAGER.about.info=Um gerente de segurança pode enviar uma mensagem de alerta em casos de situações de emergência. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.RELEASE_MANAGER.about.info=Um gerente de lançamento pode enviar notificações quando uma nova versão estiver disponível. + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SEED_NODE.about.info=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. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ORACLE_NODE.about.info=O nó oráculo é usado para fornecer dados do Bisq 1 e DAO para casos de uso como reputação no Bisq 2. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.EXPLORER_NODE.about.info=O nó explorador de blockchain é usado no Bisq Easy para a consulta de transações de pagamento em Bitcoin. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MARKET_PRICE_NODE.about.info=O nó de preço de mercado fornece dados de mercado do agregador de preços de mercado do Bisq. + + +################################################################################ +# Bonded roles how +################################################################################ + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MEDIATOR.how.inline=um mediador +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ARBITRATOR.how.inline=um árbitro +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MODERATOR.how.inline=um moderador +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SECURITY_MANAGER.how.inline=um gerente de segurança +# suppress inspection "UnusedProperty" +user.bondedRoles.type.RELEASE_MANAGER.how.inline=um gerente de lançamento + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SEED_NODE.how.inline=um operador de nó semente +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ORACLE_NODE.how.inline=um operador de nó oráculo +# suppress inspection "UnusedProperty" +user.bondedRoles.type.EXPLORER_NODE.how.inline=um operador de nó explorador +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MARKET_PRICE_NODE.how.inline=um operador de nó de preço de mercado + +user.bondedRoles.registration.how.headline=Como se tornar {0}? + +user.bondedRoles.registration.how.info=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} + +user.bondedRoles.registration.how.info.role=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.registration.how.info.node=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. + + +################################################################################ +# Bonded roles registration +################################################################################ + +user.bondedRoles.registration.headline=Solicitar registro + +user.bondedRoles.registration.profileId=ID do Perfil +user.bondedRoles.registration.bondHolderName=Nome de usuário do detentor do vínculo +user.bondedRoles.registration.bondHolderName.prompt=Insira o nome de usuário do detentor do vínculo do Bisq 1 +user.bondedRoles.registration.signature=Assinatura +user.bondedRoles.registration.signature.prompt=Cole a assinatura do seu papel vinculado +user.bondedRoles.registration.requestRegistration=Solicitar registro +user.bondedRoles.registration.success=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. +user.bondedRoles.registration.failed=O envio do pedido de registro falhou.\n\n\{0} +user.bondedRoles.registration.node.addressInfo=Dados de endereço do nó +user.bondedRoles.registration.node.addressInfo.prompt=Importe o arquivo 'default_node_address.json' do diretório de dados do nó. +user.bondedRoles.registration.node.importAddress=Importar endereço do nó +user.bondedRoles.registration.node.pubKey=Chave pública +user.bondedRoles.registration.node.privKey=Chave privada +user.bondedRoles.registration.node.showKeyPair=Mostrar par de chaves + +################################################################################ +# Bonded roles cancellation +################################################################################ + +user.bondedRoles.cancellation.requestCancellation=Solicitar cancelamento +user.bondedRoles.cancellation.success=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. +user.bondedRoles.cancellation.failed=O envio do pedido de cancelamento falhou.\n\n\{0} + + +################################################################################ +# Registered bonded roles table +################################################################################ + +user.bondedRoles.table.headline.nodes=Nós da rede registrados +user.bondedRoles.table.headline.roles=Papéis vinculados registrados + +user.bondedRoles.table.columns.isBanned=Está banido +user.bondedRoles.table.columns.userProfile=Perfil do usuário +user.bondedRoles.table.columns.userProfile.defaultNode=Operador de nó com chave fornecida estaticamente +user.bondedRoles.table.columns.profileId=ID do Perfil +user.bondedRoles.table.columns.signature=Assinatura +# Commented out in code ATM in RolesView +# suppress inspection "UnusedProperty" +user.bondedRoles.table.columns.oracleNode=Nó oráculo +user.bondedRoles.table.columns.bondUserName=Nome de usuário do vínculo + +user.bondedRoles.table.columns.role=Papel + +user.bondedRoles.table.columns.node=Nó +user.bondedRoles.table.columns.node.address=Endereço +user.bondedRoles.table.columns.node.address.openPopup=Abrir popup de dados de endereço +user.bondedRoles.table.columns.node.address.popup.headline=Dados de endereço do nó + + +################################################################################ +# Bonded roles verification +################################################################################ + +user.bondedRoles.verification.howTo.roles=Como verificar um papel vinculado? +user.bondedRoles.verification.howTo.nodes=Como verificar um nó de rede? +user.bondedRoles.verification.howTo.instruction=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. + + + + diff --git a/shared/domain/src/commonMain/resources/mobile/reputation_ru.properties b/shared/domain/src/commonMain/resources/mobile/reputation_ru.properties new file mode 100644 index 00000000..7a4d3c9f --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/reputation_ru.properties @@ -0,0 +1,356 @@ +################################################################################ +# Reputation +################################################################################ + +reputation=Репутация +reputation.buildReputation=Построить репутацию +reputation.reputationScore=Репутация + +reputation.buildReputation.headline=Построить репутацию +reputation.buildReputation.intro.part1=Модель безопасности Bisq Easy основывается на репутации продавца. Это связано с тем, что во время сделки покупатель сначала отправляет сумму в фиатной валюте, поэтому продавец должен предоставить репутацию для установления определенного уровня безопасности.\nПродавец может принимать предложения до суммы, основанной на его репутационном балле.\nОн рассчитывается следующим образом: +reputation.buildReputation.intro.part1.formula.output=Максимальная сумма сделки в USD * +reputation.buildReputation.intro.part1.formula.input=Репутация +reputation.buildReputation.intro.part1.formula.footnote=* Конвертировано в используемую валюту. +reputation.buildReputation.intro.part2=Если продавец размещает предложение с суммой, не покрытой его репутацией, покупатель увидит предупреждение о потенциальных рисках при принятии этого предложения. +reputation.buildReputation.title=Как продавцы могут повысить свою репутацию? +reputation.buildReputation.burnBsq.title=Сжигание BSQ +reputation.buildReputation.burnBsq.description=Это самая сильная форма репутации.\nОценка, полученная за сжигание BSQ, удваивается в течение первого года. +reputation.buildReputation.burnBsq.button=Узнайте, как сжигать BSQ +reputation.buildReputation.bsqBond.title=Облигация BSQ +reputation.buildReputation.bsqBond.description=Похоже на сжигание BSQ, но с использованием возвратных облигаций BSQ.\nBSQ необходимо заблокировать на минимальный срок 50,000 блоков (примерно 1 год). +reputation.buildReputation.bsqBond.button=Узнайте, как связать BSQ +reputation.buildReputation.signedAccount.title=Свидетельство о возрасте подписанного аккаунта +reputation.buildReputation.signedAccount.description=Пользователи Bisq 1 могут получить репутацию, импортировав возраст своей подписанной учетной записи из Bisq 1 в Bisq 2. +reputation.buildReputation.signedAccount.button=Узнайте, как импортировать подписанный аккаунт +reputation.buildReputation.accountAge.title=Возраст аккаунта +reputation.buildReputation.accountAge.description=Пользователи Bisq 1 могут получить репутацию, импортировав возраст своего аккаунта из Bisq 1 в Bisq 2. +reputation.buildReputation.accountAge.button=Узнайте, как импортировать возраст аккаунта +reputation.buildReputation.learnMore=Узнайте больше о системе репутации Bisq на +reputation.buildReputation.learnMore.link=Вики Bisq. + +# suppress inspection "UnusedProperty" +reputation.source.BURNED_BSQ=Сожженные BSQ +# suppress inspection "UnusedProperty" +reputation.source.BSQ_BOND=Обеспеченный BSQ +# suppress inspection "UnusedProperty" +reputation.source.PROFILE_AGE=Возраст профиля +# suppress inspection "UnusedProperty" +reputation.source.BISQ1_ACCOUNT_AGE=Возраст аккаунта +# suppress inspection "UnusedProperty" +reputation.source.BISQ1_SIGNED_ACCOUNT_AGE_WITNESS=Подписанный свидетель + +reputation.pubKeyHash=Идентификатор профиля +reputation.weight=Вес +reputation.score=Счет +reputation.totalScore=Общий балл +reputation.ranking=Рейтинг +reputation.score.formulaHeadline=Репутация рассчитывается следующим образом: +reputation.score.tooltip=Счет: {0}\nРейтинг: {1} + +reputation.burnBsq=Сжигание BSQ +reputation.burnedBsq.tab1=Почему +reputation.burnedBsq.tab2=Счет +reputation.burnedBsq.tab3=Как сделать +reputation.burnedBsq.infoHeadline=Кожа в игре +reputation.burnedBsq.info=Сжигая BSQ, вы предоставляете доказательства того, что вы вложили деньги в свою репутацию.\nТранзакция по сжиганию BSQ содержит хэш открытого ключа вашего профиля. В случае злонамеренного поведения ваш профиль может быть заблокирован, и ваше вложение в вашу репутацию станет бесполезным. +reputation.burnedBsq.infoHeadline2=Какова рекомендуемая сумма для сжигания? +reputation.burnedBsq.info2=Это будет определяться конкуренцией между продавцами. Продавцы с наивысшим уровнем репутации будут иметь лучшие торговые возможности и смогут получить более высокую ценовую надбавку. Лучшие предложения, ранжированные по репутации, будут продвигаться в выборе предложений в 'Мастере торговли'. +reputation.burnedBsq.score.headline=Влияние на репутацию +reputation.burnedBsq.score.info=Сжигание BSQ считается самой сильной формой репутации, которая представлена высоким весовым коэффициентом. В течение первого года применяется временной бонус, постепенно увеличивающий оценку до двойного значения. + +# Dynamically generated in BurnBsqTab2View +# suppress inspection "UnusedProperty" +reputation.burnedBsq.totalScore=Сожженная сумма BSQ * вес * (1 + возраст / 365) + +reputation.sim.headline=Инструмент симуляции: +reputation.sim.burnAmount=Сумма BSQ +# Dynamically generated in BondScoreSimulation +# suppress inspection "UnusedProperty" +reputation.sim.burnAmount.prompt=Введите количество BSQ +# suppress inspection "UnusedProperty" +reputation.sim.lockTime=Время блокировки в блоках +# Dynamically generated in BondScoreSimulation +# suppress inspection "UnusedProperty" +reputation.sim.lockTime.prompt=Введите время блокировки +reputation.sim.age=Возраст в днях +# Dynamically generated in BondScoreSimulation +# suppress inspection "UnusedProperty" +reputation.sim.age.prompt=Введите возраст в днях +reputation.sim.score=Общий балл + +reputation.burnedBsq.howToHeadline=Процесс сжигания BSQ +reputation.burnedBsq.howTo=1. Выберите профиль пользователя, к которому вы хотите прикрепить репутацию.\n2. Скопируйте 'ID профиля'\n3. Откройте Bisq 1 и перейдите в 'DAO/ДОКАЗАТЕЛЬСТВО СЖИГАНИЯ' и вставьте скопированное значение в поле 'предварительное изображение'.\n4. Введите количество BSQ, которое вы хотите сжечь.\n5. Опубликуйте транзакцию по сжиганию BSQ.\n6. После подтверждения в блокчейне ваша репутация станет видимой в вашем профиле. + +reputation.bond=Облигации BSQ +reputation.bond.tab1=Почему +reputation.bond.tab2=Счет +reputation.bond.tab3=Как сделать +reputation.bond.infoHeadline=Кожа в игре +reputation.bond.info=Настраивая залог BSQ, вы предоставляете доказательство того, что заблокировали средства для получения репутации.\nТранзакция залога BSQ содержит хэш публичного ключа вашего профиля. В случае злонамеренного поведения ваш залог может быть конфискован DAO, а ваш профиль может быть заблокирован. +reputation.bond.infoHeadline2=Какова рекомендуемая сумма и время блокировки? +reputation.bond.info2=Время блокировки должно составлять как минимум 50 000 блоков, что примерно равно 1 году, чтобы считаться действительным залогом. Сумму может выбрать пользователь, и она будет определять рейтинг среди других продавцов. Продавцы с наивысшим баллом репутации будут иметь лучшие торговые возможности и смогут получить более высокую ценовую премию. Лучшие предложения, ранжированные по репутации, будут продвигаться в выборе предложений в 'Мастере торговли'. +reputation.bond.score.headline=Влияние на репутацию +reputation.bond.score.info=Установка залога BSQ считается сильной формой репутации. \nВремя блокировки должно составлять не менее: 50 000 блоков (примерно 1 год). В течение первого года применяется временной бонус, постепенно увеличивающий балл до двойного его начального значения. +# Dynamically generated in BondedReputationTab2View +# suppress inspection "UnusedProperty" +reputation.bond.totalScore=Сумма BSQ * вес * (1 + возраст / 365) + +reputation.bond.howToHeadline=Процесс настройки облигации BSQ +reputation.bond.howTo=1. Выберите профиль пользователя, к которому вы хотите прикрепить репутацию.\n2. Скопируйте 'идентификатор профиля'\n3. Откройте Bisq 1 и перейдите в 'DAO/ЗАЯЧИВАНИЕ/ЗАЯЧИВАННАЯ РЕПУТАЦИЯ' и вставьте скопированное значение в поле 'соль'.\n4. Введите количество BSQ, которое вы хотите заблокировать, и время блокировки (50 000 блоков).\n5. Опубликуйте транзакцию блокировки.\n6. После подтверждения в блокчейне ваша репутация станет видимой в вашем профиле. + +reputation.accountAge=Возраст аккаунта +reputation.accountAge.tab1=Почему +reputation.accountAge.tab2=Счет +reputation.accountAge.tab3=Импорт +reputation.accountAge.infoHeadline=Предоставьте доверие +reputation.accountAge.info=Связывая ваш аккаунт Bisq 1 с 'возрастом аккаунта', вы можете предоставить некоторый уровень доверия. Существуют разумные ожидания, что пользователь, который использовал Bisq в течение некоторого времени, является честным пользователем. Но это ожидание слабее по сравнению с другими формами репутации, где пользователь предоставляет более сильные доказательства с использованием некоторых финансовых ресурсов. +reputation.accountAge.infoHeadline2=Последствия для конфиденциальности +reputation.accountAge.info2=Связывание вашего аккаунта Bisq 1 с Bisq 2 имеет некоторые последствия для вашей конфиденциальности. Для проверки вашего 'возраста аккаунта' ваша идентичность Bisq 1 криптографически связывается с вашим идентификатором профиля Bisq 2.\nОднако, раскрытие ограничено 'узлом моста Bisq 1', который управляется участником Bisq, установившим залог BSQ (обязанная роль).\n\nВозраст аккаунта является альтернативой для тех, кто не хочет использовать сожженные BSQ или залоги BSQ из-за финансовых затрат. 'Возраст аккаунта' должен быть как минимум несколько месяцев, чтобы отразить определенный уровень доверия. +reputation.accountAge.score.headline=Влияние на репутацию +reputation.accountAge.score.info=Импорт 'возраста аккаунта' считается довольно слабой формой репутации, которая представлена низким весовым коэффициентом. Существует предел в 2000 дней для расчета счета. +# Dynamically generated in AccountAgeTab2View +# suppress inspection "UnusedProperty" +reputation.accountAge.totalScore=Возраст аккаунта в днях * вес + +reputation.accountAge.import.step1.title=Шаг 1 +reputation.accountAge.import.step1.instruction=Выберите профиль пользователя, к которому вы хотите привязать репутацию. +reputation.accountAge.import.step2.title=Шаг 2 +reputation.accountAge.import.step2.instruction=Скопируйте идентификатор профиля, чтобы вставить его в Bisq 1. +reputation.accountAge.import.step2.profileId=Идентификатор профиля (Вставьте на экране аккаунта в Bisq 1) +reputation.accountAge.import.step3.title=Шаг 3 +reputation.accountAge.import.step3.instruction1=3.1. - Откройте Bisq 1 и перейдите в 'АККАУНТ/АККАУНТЫ НАЛИЧНОЙ ВАЛЮТЫ'. +reputation.accountAge.import.step3.instruction2=3.2. - Выберите самый старый аккаунт и нажмите 'ЭКСПОРТ УВЕДОМЛЕНИЯ О ВРЕМЕНИ СОЗДАНИЯ АККАУНТА ДЛЯ BISQ 2'. +reputation.accountAge.import.step3.instruction3=3.3. - Это создаст json-данные с подписью вашего Bisq 2 Profile ID и скопирует их в буфер обмена. +reputation.accountAge.import.step4.title=Шаг 4 +reputation.accountAge.import.step4.instruction=Вставьте json данные из предыдущего шага +reputation.accountAge.import.step4.signedMessage=Json данные от Bisq 1 + +reputation.signedWitness=Подписанный свидетель возраста аккаунта +reputation.signedWitness.tab1=Почему +reputation.signedWitness.tab2=Счет +reputation.signedWitness.tab3=Как сделать +reputation.signedWitness.infoHeadline=Предоставьте доверие +reputation.signedWitness.info=Связывая ваш 'подписанный свидетель возраста аккаунта' Bisq 1, вы можете предоставить некоторый уровень доверия. Существуют разумные ожидания, что пользователь, который торговал некоторое время назад на Bisq 1 и получил подпись своего аккаунта, является честным пользователем. Но это ожидание слабее по сравнению с другими формами репутации, где пользователь предоставляет больше 'долга в игре' с использованием финансовых ресурсов. +reputation.signedWitness.infoHeadline2=Последствия для конфиденциальности +reputation.signedWitness.info2=Связывание вашей учетной записи Bisq 1 с Bisq 2 имеет некоторые последствия для вашей конфиденциальности. Для проверки вашего 'свидетельства о возрасте подписанной учетной записи' ваша идентичность Bisq 1 криптографически связывается с вашим идентификатором профиля Bisq 2.\nТем не менее, раскрытие ограничено 'узлом моста Bisq 1', который управляется участником Bisq, который настроил залог BSQ (обязанная роль).\n\nСвидетельство о возрасте подписанной учетной записи является альтернативой для тех, кто не хочет использовать сожженные BSQ или облигации BSQ из-за финансового бремени. 'Свидетельство о возрасте подписанной учетной записи' должно быть как минимум 61 день, чтобы быть учтенным для репутации. +reputation.signedWitness.score.headline=Влияние на репутацию +reputation.signedWitness.score.info=Импорт 'свидетельства о возрасте подписанного аккаунта' считается слабой формой репутации, которая представлена весовым коэффициентом. 'Свидетельство о возрасте подписанного аккаунта' должно быть как минимум 61 день, и существует предел в 2000 дней для расчета балла. +# Dynamically generated in SignedWitnessTab2View +# suppress inspection "UnusedProperty" +reputation.signedWitness.totalScore=Возраст свидетеля в днях * вес +reputation.signedWitness.import.step1.title=Шаг 1 +reputation.signedWitness.import.step1.instruction=Выберите профиль пользователя, к которому вы хотите прикрепить репутацию. +reputation.signedWitness.import.step2.title=Шаг 2 +reputation.signedWitness.import.step2.instruction=Скопируйте идентификатор профиля, чтобы вставить его в Bisq 1. +reputation.signedWitness.import.step2.profileId=Идентификатор профиля (Вставьте на экране аккаунта в Bisq 1) +reputation.signedWitness.import.step3.title=Шаг 3 +reputation.signedWitness.import.step3.instruction1=3.1. - Откройте Bisq 1 и перейдите в 'УЧЕТНАЯ ЗАПИСЬ/СЧЕТА В НАЦИОНАЛЬНОЙ ВАЛЮТЕ'. +reputation.signedWitness.import.step3.instruction2=3.2. - Выберите самый старый аккаунт и нажмите 'ЭКСПОРТИРОВАТЬ ПОДПИСАННОЕ СВИДЕТЕЛЬСТВО ДЛЯ BISQ 2'. +reputation.signedWitness.import.step3.instruction3=3.3. - Это создаст json-данные с подписью вашего Bisq 2 Profile ID и скопирует их в буфер обмена. +reputation.signedWitness.import.step4.title=Шаг 4 +reputation.signedWitness.import.step4.instruction=Вставьте json-данные из предыдущего шага +reputation.signedWitness.import.step4.signedMessage=Json данные от Bisq 1 + +reputation.request=Запросить авторизацию +reputation.request.success=Успешно запрошена авторизация от узла моста Bisq 1\n\nВаши данные о репутации теперь должны быть доступны в сети. +reputation.request.error=Не удалось запросить авторизацию. Текст из буфера обмена:\n\{0} + +reputation.table.headline=Рейтинг репутации +reputation.table.columns.userProfile=Профиль пользователя +reputation.table.columns.profileAge=Возраст профиля +reputation.table.columns.livenessState=Последняя активность пользователя +reputation.table.columns.reputationScore=Репутация +reputation.table.columns.reputation=Репутация +reputation.table.columns.details=Детали +reputation.table.columns.details.popup.headline=Детали репутации +reputation.table.columns.details.button=Показать детали + +reputation.details.table.columns.source=Тип +reputation.details.table.columns.lockTime=Время блокировки +reputation.details.table.columns.score=Очки + +reputation.reputationScore.headline=Репутация +reputation.reputationScore.intro=В этом разделе объясняется репутация Bisq, чтобы вы могли принимать обоснованные решения при принятии предложения. +reputation.reputationScore.sellerReputation=Репутация продавца — это лучший сигнал\nдля прогнозирования вероятности успешной сделки в Bisq Easy. +reputation.reputationScore.explanation.intro=Репутация на Bisq2 представлена тремя элементами: +reputation.reputationScore.explanation.score.title=Оценка +reputation.reputationScore.explanation.score.description=Это общий балл, который продавец накопил до сих пор.\nБаллы можно увеличить несколькими способами. Лучший способ сделать это — сжигать или ставить BSQ. Это означает, что продавец внес залог заранее и, как результат, может считаться надежным.\nДополнительную информацию о том, как увеличить балл, можно найти в разделе 'Построить репутацию'.\nРекомендуется торговать с продавцами, у которых самый высокий балл. +reputation.reputationScore.explanation.ranking.title=Рейтинг +reputation.reputationScore.explanation.ranking.description=Ранжирует пользователей от самого высокого до самого низкого балла.\nКак правило, при торговле: чем выше ранг, тем больше вероятность успешной сделки. +reputation.reputationScore.explanation.stars.title=Звезды +reputation.reputationScore.explanation.stars.description=Это графическое представление оценки. См. таблицу преобразования ниже, чтобы узнать, как рассчитываются звезды.\nРекомендуется торговать с продавцами, у которых наибольшее количество звезд. +reputation.reputationScore.closing=Для получения дополнительной информации о том, как продавец построил свою репутацию, смотрите раздел 'Рейтинг' и нажмите 'Показать детали' у пользователя. + + +################################################################################ +# Bonded roles +################################################################################ + +user.bondedRoles.headline.roles=Связанные роли +user.bondedRoles.headline.nodes=Узлы сети + + +################################################################################ +# Bonded Role Types +################################################################################ + +user.bondedRoles.type.MEDIATOR=Медиатор +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ARBITRATOR=Арбитр +user.bondedRoles.type.MODERATOR=Модератор +user.bondedRoles.type.SECURITY_MANAGER=Менеджер по безопасности +user.bondedRoles.type.RELEASE_MANAGER=Менеджер по выпуску + +user.bondedRoles.type.ORACLE_NODE=Узел Oracle +user.bondedRoles.type.SEED_NODE=Посевной узел +user.bondedRoles.type.EXPLORER_NODE=Узел проводника +user.bondedRoles.type.MARKET_PRICE_NODE=Узел рыночных цен + + +################################################################################ +# Bonded roles about +################################################################################ + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MEDIATOR.about.inline=медиатор +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ARBITRATOR.about.inline=арбитр +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MODERATOR.about.inline=модератор +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SECURITY_MANAGER.about.inline=менеджер безопасности +# suppress inspection "UnusedProperty" +user.bondedRoles.type.RELEASE_MANAGER.about.inline=менеджер по выпуску + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ORACLE_NODE.about.inline=оператор узла-оракула +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SEED_NODE.about.inline=оператор узла-источника +# suppress inspection "UnusedProperty" +user.bondedRoles.type.EXPLORER_NODE.about.inline=оператор узла-эксплорера +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MARKET_PRICE_NODE.about.inline=оператор узла рыночной цены + +user.bondedRoles.registration.hideInfo=Скрыть инструкции +user.bondedRoles.registration.showInfo=Показать инструкции + +user.bondedRoles.registration.about.headline=О роли {0} + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MEDIATOR.about.info=Если в сделке Bisq Easy возникают конфликты, трейдеры могут запросить помощь у медиатора.\nМедиатор не имеет полномочий для принуждения и может только попытаться помочь в поиске взаимовыгодного решения. В случае явных нарушений правил торговли или попыток мошенничества медиатор может предоставить информацию модератору для блокировки недобросовестного участника сети.\nМедиаторы и арбитры из Bisq 1 могут стать медиаторами Bisq 2 без необходимости блокировки нового залога BSQ. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MODERATOR.about.info=Пользователи чата могут сообщать о нарушениях правил чата или торговли модератору.\nЕсли предоставленная информация достаточна для проверки нарушения правила, модератор может забанить этого пользователя в сети.\nВ случае серьезных нарушений со стороны продавца, который заработал какую-либо репутацию, репутация становится недействительной, и соответствующие исходные данные (такие как транзакция DAO или данные о возрасте аккаунта) будут внесены в черный список в Bisq 2 и сообщены обратно в Bisq 1 оператором оракула, и пользователь также будет забанен в Bisq 1. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SECURITY_MANAGER.about.info=Менеджер по безопасности может отправить сообщение об оповещении в случае чрезвычайных ситуаций. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.RELEASE_MANAGER.about.info=Менеджер релиза может отправлять уведомления, когда новая версия доступна. + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SEED_NODE.about.info=Сид-узел предоставляет сетевые адреса участников сети для загрузки в сеть Bisq 2 P2P.\nЭто необходимо при первом запуске, так как в этот момент у нового пользователя еще нет сохраненных данных для подключения к другим узлам.\nОн также предоставляет данные P2P сети, такие как сообщения чата, новому подключающемуся пользователю. Эта служба доставки данных также выполняется любым другим узлом сети, однако, поскольку сид-узлы имеют круглосуточную доступность и высокий уровень качества обслуживания, они обеспечивают большую стабильность и лучшую производительность, что приводит к более комфортному процессу загрузки.\nОператоры сид-узлов из Bisq 1 могут стать операторами сид-узлов Bisq 2 без блокировки нового залога BSQ. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ORACLE_NODE.about.info=Узел оракула используется для предоставления данных Bisq 1 и DAO для случаев использования Bisq 2, таких как репутация. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.EXPLORER_NODE.about.info=Узел обозревателя блокчейна используется в Bisq Easy для поиска транзакций Bitcoin. +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MARKET_PRICE_NODE.about.info=Узел рыночной цены предоставляет рыночные данные от агрегатора рыночных цен Bisq. + + +################################################################################ +# Bonded roles how +################################################################################ + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MEDIATOR.how.inline=посредник +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ARBITRATOR.how.inline=арбитр +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MODERATOR.how.inline=модератор +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SECURITY_MANAGER.how.inline=менеджер по безопасности +# suppress inspection "UnusedProperty" +user.bondedRoles.type.RELEASE_MANAGER.how.inline=менеджер по релизам + +# suppress inspection "UnusedProperty" +user.bondedRoles.type.SEED_NODE.how.inline=оператор узла-начальника +# suppress inspection "UnusedProperty" +user.bondedRoles.type.ORACLE_NODE.how.inline=оператор узла оракула +# suppress inspection "UnusedProperty" +user.bondedRoles.type.EXPLORER_NODE.how.inline=оператор узла-исследователя +# suppress inspection "UnusedProperty" +user.bondedRoles.type.MARKET_PRICE_NODE.how.inline=оператор узла рыночной цены + +user.bondedRoles.registration.how.headline=Как стать {0}? + +user.bondedRoles.registration.how.info=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} + +user.bondedRoles.registration.how.info.role=9. Нажмите кнопку 'Запросить регистрацию'. Если все было правильно, ваша регистрация станет видимой в таблице Зарегистрированные связанные роли. + +user.bondedRoles.registration.how.info.node=9. Скопируйте файл 'default_node_address.json' из каталога данных узла, который вы хотите зарегистрировать, на ваш жесткий диск и откройте его с помощью кнопки 'Импортировать адрес узла'.\n10. Нажмите кнопку 'Запросить регистрацию'. Если все было правильно, ваша регистрация станет видимой в таблице Зарегистрированные сетевые узлы. + + +################################################################################ +# Bonded roles registration +################################################################################ + +user.bondedRoles.registration.headline=Запросить регистрацию + +user.bondedRoles.registration.profileId=Идентификатор профиля +user.bondedRoles.registration.bondHolderName=Имя пользователя держателя облигации +user.bondedRoles.registration.bondHolderName.prompt=Введите имя пользователя держателя облигации Bisq 1 +user.bondedRoles.registration.signature=Подпись +user.bondedRoles.registration.signature.prompt=Вставьте подпись из вашей связанной роли +user.bondedRoles.registration.requestRegistration=Запросить регистрацию +user.bondedRoles.registration.success=Запрос на регистрацию был успешно отправлен. Вы увидите в таблице ниже, была ли регистрация успешно проверена и опубликована узлом оракула. +user.bondedRoles.registration.failed=Не удалось отправить запрос на регистрацию.\n\n\{0} +user.bondedRoles.registration.node.addressInfo=Данные адреса узла +user.bondedRoles.registration.node.addressInfo.prompt=Импортируйте файл 'default_node_address.json' из директории данных узла. +user.bondedRoles.registration.node.importAddress=Импортировать адрес узла +user.bondedRoles.registration.node.pubKey=Публичный ключ +user.bondedRoles.registration.node.privKey=Приватный ключ +user.bondedRoles.registration.node.showKeyPair=Показать пару ключей + +################################################################################ +# Bonded roles cancellation +################################################################################ + +user.bondedRoles.cancellation.requestCancellation=Запросить отмену +user.bondedRoles.cancellation.success=Запрос на отмену был успешно отправлен. Вы увидите в таблице ниже, был ли запрос на отмену успешно проверен и роль удалена узлом оракула. +user.bondedRoles.cancellation.failed=Не удалось отправить запрос на отмену.\n\n\{0} + + +################################################################################ +# Registered bonded roles table +################################################################################ + +user.bondedRoles.table.headline.nodes=Зарегистрированные узлы сети +user.bondedRoles.table.headline.roles=Зарегистрированные связанные роли + +user.bondedRoles.table.columns.isBanned=Заблокирован +user.bondedRoles.table.columns.userProfile=Профиль пользователя +user.bondedRoles.table.columns.userProfile.defaultNode=Оператор узла с статически предоставленным ключом +user.bondedRoles.table.columns.profileId=Идентификатор профиля +user.bondedRoles.table.columns.signature=Подпись +# Commented out in code ATM in RolesView +# suppress inspection "UnusedProperty" +user.bondedRoles.table.columns.oracleNode=Узел Oracle +user.bondedRoles.table.columns.bondUserName=Имя пользователя Bond + +user.bondedRoles.table.columns.role=Роль + +user.bondedRoles.table.columns.node=Узел +user.bondedRoles.table.columns.node.address=Адрес +user.bondedRoles.table.columns.node.address.openPopup=Открыть всплывающее окно с данными адреса +user.bondedRoles.table.columns.node.address.popup.headline=Данные адреса узла + + +################################################################################ +# Bonded roles verification +################################################################################ + +user.bondedRoles.verification.howTo.roles=Как подтвердить связанную роль? +user.bondedRoles.verification.howTo.nodes=Как проверить сетевой узел? +user.bondedRoles.verification.howTo.instruction=1. Откройте Bisq 1 и перейдите в 'DAO/Облигации/Обязанности по облигациям', выберите роль по имени пользователя и типу роли.\n2. Нажмите кнопку проверки, скопируйте идентификатор профиля и вставьте его в поле сообщения.\n3. Скопируйте подпись и вставьте ее в поле подписи в Bisq 1.\n4. Нажмите кнопку проверки. Если проверка подписи прошла успешно, роль по облигации действительна. + + + + diff --git a/shared/domain/src/commonMain/resources/mobile/settings.properties b/shared/domain/src/commonMain/resources/mobile/settings.properties new file mode 100644 index 00000000..d2c711a3 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/settings.properties @@ -0,0 +1,59 @@ +################################################################################ +# Settings +################################################################################ + +settings.language=Language +settings.notifications=Notifications +settings.trade=Offer and trade +settings.display=Display +settings.misc=Miscellaneous + +settings.language.headline=Language selection +settings.language.select=Select language +settings.language.select.invalid=Please pick a language from the list +settings.language.restart=To apply the new language you need to restart the application +settings.language.supported.headline=Add your supported languages +settings.language.supported.subHeadLine=Languages you are fluent in +settings.language.supported.select=Select language +settings.language.supported.addButton.tooltip=Add selected language to list +settings.language.supported.list.subHeadLine=Fluent in: +settings.language.supported.invalid=Please pick a language form the list + +settings.notification.options=Notification options +settings.notification.option.all=All chat messages +settings.notification.option.mention=If mentioned +settings.notification.option.off=Off +settings.notification.notifyForPreRelease=Notify about pre-release software updates +settings.notification.useTransientNotifications=Use transient notifications +settings.notification.clearNotifications=Clear notifications + +settings.display.headline=Display settings +settings.display.useAnimations=Use animations +settings.display.preventStandbyMode=Prevent standby mode +settings.display.resetDontShowAgain=Reset all 'Don't show again' flags + +settings.trade.headline=Offer and trade settings +settings.trade.maxTradePriceDeviation=Max. trade price tolerance +settings.trade.maxTradePriceDeviation.help=The max. trade price difference a maker tolerates when their offer gets taken. +settings.trade.maxTradePriceDeviation.invalid=Must be a value between 1 and {0}% +settings.trade.closeMyOfferWhenTaken=Close my offer when taken + +settings.network.headline=Network settings +settings.network.difficultyAdjustmentFactor.description.self=Custom PoW difficulty adjustment factor +settings.network.difficultyAdjustmentFactor.description.fromSecManager=PoW difficulty adjustment factor by Bisq Security Manager +settings.network.difficultyAdjustmentFactor.invalid=Must be a number between 0 and {0} +settings.network.difficultyAdjustmentFactor.ignoreValueFromSecManager=Ignore value provided by Bisq Security Manager + +settings.backup.headline=Backup settings +settings.backup.totalMaxBackupSizeInMB.description=Max. size in MB for automatic backups +settings.backup.totalMaxBackupSizeInMB.info.tooltip=Important data is automatically backed up in the data directory whenever updates are made,\n\ + following this retention strategy:\n\t\ + - Last Hour: Keep a maximum of one backup per minute.\n\t\ + - Last Day: Keep one backup per hour.\n\t\ + - Last Week: Keep one backup per day.\n\t\ + - Last Month: Keep one backup per week.\n\t\ + - Last Year: Keep one backup per month.\n\t\ + - Previous Years: Keep one backup per year.\n\n\ + Please note, this backup mechanism does not protect against hard disk failures.\n\ + For better protection, we strongly recommend creating manual backups on an alternative hard drive. +settings.backup.totalMaxBackupSizeInMB.invalid=Must be a value between {0} MB and {1} MB diff --git a/shared/domain/src/commonMain/resources/mobile/settings_af_ZA.properties b/shared/domain/src/commonMain/resources/mobile/settings_af_ZA.properties new file mode 100644 index 00000000..f55f6a45 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/settings_af_ZA.properties @@ -0,0 +1,50 @@ +################################################################################ +# Settings +################################################################################ + +settings.language=Taal +settings.notifications=Kennisgewings +settings.trade=Bied en handel +settings.display=Vertoon +settings.misc=Verskeie + +settings.language.headline=Taalkeuse +settings.language.select=Kies taal +settings.language.select.invalid=Asseblief kies 'n taal uit die lys +settings.language.restart=Om die nuwe taal toe te pas, moet jy die toepassing herbegin +settings.language.supported.headline=Voeg jou ondersteunde tale by +settings.language.supported.subHeadLine=Tale waarin jy vlot is +settings.language.supported.select=Kies taal +settings.language.supported.addButton.tooltip=Voeg geselekte taal by lys +settings.language.supported.list.subHeadLine=Vloeiend in: +settings.language.supported.invalid=Kies asseblief 'n taal uit die lys + +settings.notification.options=Kennisgewing opsies +settings.notification.option.all=Alle geselskapieboodskappe +settings.notification.option.mention=As genoem +settings.notification.option.off=Af +settings.notification.notifyForPreRelease=Stel in kennis oor voorvrystelling sagteware-opdaterings +settings.notification.useTransientNotifications=Gebruik tydelike kennisgewings +settings.notification.clearNotifications=Verwyder kennisgewings + +settings.display.headline=Vertoon instellings +settings.display.useAnimations=Gebruik animasies +settings.display.preventStandbyMode=Voorkom standby-modus +settings.display.resetDontShowAgain=Reset alle 'Moet nie weer wys nie' vlae + +settings.trade.headline=Aanbod en handel instellings +settings.trade.maxTradePriceDeviation=Max. handelsprys verdraagsaamheid +settings.trade.maxTradePriceDeviation.help=Die max. handelsprys verskil wat 'n maker verdra wanneer hul aanbod aanvaar word. +settings.trade.maxTradePriceDeviation.invalid=Moet 'n waarde wees tussen 1 en {0}% +settings.trade.closeMyOfferWhenTaken=Sluit my aanbod wanneer dit aanvaar word + +settings.network.headline=Netwerk instellings +settings.network.difficultyAdjustmentFactor.description.self=Aangepaste PoW moeilikheidsgraad aanpassingsfaktor +settings.network.difficultyAdjustmentFactor.description.fromSecManager=PoW moeilikheid aanpassingsfaktor deur Bisq Sekuriteitsbestuurder +settings.network.difficultyAdjustmentFactor.invalid=Moet 'n nommer wees tussen 0 en {0} +settings.network.difficultyAdjustmentFactor.ignoreValueFromSecManager=Ignoreer waarde verskaf deur Bisq Sekuriteitsbestuurder + +settings.backup.headline=Back-up instellings +settings.backup.totalMaxBackupSizeInMB.description=Max. grootte in MB vir outomatiese rugsteun +settings.backup.totalMaxBackupSizeInMB.info.tooltip=Belangrike data word outomaties in die datagids gebackup wanneer opdaterings gemaak word,\nvolgens hierdie behoudstrategie:\n\t- Laaste Uur: Hou 'n maksimum van een rugsteun per minuut.\n\t- Laaste Dag: Hou een rugsteun per uur.\n\t- Laaste Week: Hou een rugsteun per dag.\n\t- Laaste Maand: Hou een rugsteun per week.\n\t- Laaste Jaar: Hou een rugsteun per maand.\n\t- 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.backup.totalMaxBackupSizeInMB.invalid=Moet 'n waarde wees tussen {0} MB en {1} MB diff --git a/shared/domain/src/commonMain/resources/mobile/settings_cs.properties b/shared/domain/src/commonMain/resources/mobile/settings_cs.properties new file mode 100644 index 00000000..b7aab229 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/settings_cs.properties @@ -0,0 +1,50 @@ +################################################################################ +# Settings +################################################################################ + +settings.language=Jazyk +settings.notifications=Oznámení +settings.trade=Nabídka a obchod +settings.display=Zobrazení +settings.misc=Různé + +settings.language.headline=Výběr jazyka +settings.language.select=Vyberte jazyk +settings.language.select.invalid=Prosím vyberte jazyk z nabídky +settings.language.restart=Pro aplikaci použít nový jazyk, je nutné restartovat aplikaci +settings.language.supported.headline=Přidat podporované jazyky +settings.language.supported.subHeadLine=Jazyky, které ovládáte +settings.language.supported.select=Vyberte jazyk +settings.language.supported.addButton.tooltip=Přidat vybraný jazyk do seznamu +settings.language.supported.list.subHeadLine=Ovládám: +settings.language.supported.invalid=Prosím vyberte jazyk z nabídky + +settings.notification.options=Možnosti oznámení +settings.notification.option.all=Všechny chatovací zprávy +settings.notification.option.mention=Pokud jsem zmíněn +settings.notification.option.off=Vypnuto +settings.notification.notifyForPreRelease=Oznámit předvydání aktualizace softwaru +settings.notification.useTransientNotifications=Použít prchavá oznámení +settings.notification.clearNotifications=Vymazat oznámení + +settings.display.headline=Nastavení zobrazení +settings.display.useAnimations=Použít animace +settings.display.preventStandbyMode=Zamezit režimu spánku +settings.display.resetDontShowAgain=Obnovit všechny vlajky "Nezobrazovat znovu" + +settings.trade.headline=Nastavení nabídky a obchodu +settings.trade.maxTradePriceDeviation=Maximální tolerance cen obchodu +settings.trade.maxTradePriceDeviation.help=Maximální rozdíl ceny obchodu, který maker toleruje, když je jejich nabídka přijata. +settings.trade.maxTradePriceDeviation.invalid=Musí být hodnota mezi 1 a {0} % +settings.trade.closeMyOfferWhenTaken=Zavřít mou nabídku, když je přijata + +settings.network.headline=Nastavení sítě +settings.network.difficultyAdjustmentFactor.description.self=Vlastní faktor úpravy obtížnosti PoW +settings.network.difficultyAdjustmentFactor.description.fromSecManager=Faktor úpravy obtížnosti PoW podle Bezpečnostního manažera Bisq +settings.network.difficultyAdjustmentFactor.invalid=Hodnota musí být číslo mezi 0 a {0} +settings.network.difficultyAdjustmentFactor.ignoreValueFromSecManager=Ignorovat hodnotu poskytnutou Bezpečnostním manažerem Bisq + +settings.backup.headline=Nastavení zálohy +settings.backup.totalMaxBackupSizeInMB.description=Max. velikost v MB pro automatické zálohy +settings.backup.totalMaxBackupSizeInMB.info.tooltip=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\t- Poslední hodina: Uchovávat maximálně jednu zálohu za minutu.\n\t- Poslední den: Uchovávat jednu zálohu za hodinu.\n\t- Poslední týden: Uchovávat jednu zálohu za den.\n\t- Poslední měsíc: Uchovávat jednu zálohu za týden.\n\t- Poslední rok: Uchovávat jednu zálohu za měsíc.\n\t- 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.backup.totalMaxBackupSizeInMB.invalid=Musí být hodnota mezi {0} MB a {1} MB diff --git a/shared/domain/src/commonMain/resources/mobile/settings_de.properties b/shared/domain/src/commonMain/resources/mobile/settings_de.properties new file mode 100644 index 00000000..a6196139 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/settings_de.properties @@ -0,0 +1,50 @@ +################################################################################ +# Settings +################################################################################ + +settings.language=Sprache +settings.notifications=Benachrichtigungen +settings.trade=Angebot und Handel +settings.display=Anzeige +settings.misc=Sonstiges + +settings.language.headline=Sprachauswahl +settings.language.select=Sprache auswählen +settings.language.select.invalid=Bitte eine Sprache aus der Liste auswählen +settings.language.restart=Um die neue Sprache anzuwenden, muss die Anwendung neu gestartet werden +settings.language.supported.headline=Unterstützte Sprachen hinzufügen +settings.language.supported.subHeadLine=Sprachen, die Sie fließend sprechen +settings.language.supported.select=Sprache auswählen +settings.language.supported.addButton.tooltip=Ausgewählte Sprache zur Liste hinzufügen +settings.language.supported.list.subHeadLine=Fließend in: +settings.language.supported.invalid=Bitte eine Sprache aus der Liste auswählen + +settings.notification.options=Benachrichtigungsoptionen +settings.notification.option.all=Alle Chatnachrichten +settings.notification.option.mention=Bei Erwähnung +settings.notification.option.off=Aus +settings.notification.notifyForPreRelease=Über Vorabversionen benachrichtigen +settings.notification.useTransientNotifications=Vorübergehende Benachrichtigungen verwenden +settings.notification.clearNotifications=Benachrichtigungen löschen + +settings.display.headline=Anzeigeeinstellungen +settings.display.useAnimations=Animationen verwenden +settings.display.preventStandbyMode=Ruhezustand verhindern +settings.display.resetDontShowAgain=Alle 'Nicht erneut anzeigen'-Hinweise zurücksetzen + +settings.trade.headline=Angebots- und Handelseinstellungen +settings.trade.maxTradePriceDeviation=Maximale Handelspreisabweichung +settings.trade.maxTradePriceDeviation.help=Die maximale Handelspreisabweichung, die ein Anbieter toleriert, wenn sein Angebot angenommen wird. +settings.trade.maxTradePriceDeviation.invalid=Muss ein Wert zwischen 1 und {0}% sein +settings.trade.closeMyOfferWhenTaken=Mein Angebot schließen, wenn angenommen + +settings.network.headline=Netzwerkeinstellungen +settings.network.difficultyAdjustmentFactor.description.self=Benutzerdefinierter PoW-Schwierigkeitsanpassungsfaktor +settings.network.difficultyAdjustmentFactor.description.fromSecManager=PoW-Schwierigkeitsanpassungsfaktor vom Bisq-Sicherheitsmanager +settings.network.difficultyAdjustmentFactor.invalid=Muss eine Zahl zwischen 0 und {0} sein +settings.network.difficultyAdjustmentFactor.ignoreValueFromSecManager=Wert vom Bisq-Sicherheitsmanager ignorieren + +settings.backup.headline=Backup-Einstellungen +settings.backup.totalMaxBackupSizeInMB.description=Max. Größe in MB für automatische Backups +settings.backup.totalMaxBackupSizeInMB.info.tooltip=Wichtige Daten werden automatisch im Datenverzeichnis gesichert, wann immer Updates vorgenommen werden,\nfolgend dieser Aufbewahrungsstrategie:\n\t- Letzte Stunde: Maximal ein Backup pro Minute aufbewahren.\n\t- Letzter Tag: Ein Backup pro Stunde aufbewahren.\n\t- Letzte Woche: Ein Backup pro Tag aufbewahren.\n\t- Letzter Monat: Ein Backup pro Woche aufbewahren.\n\t- Letztes Jahr: Ein Backup pro Monat aufbewahren.\n\t- 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.backup.totalMaxBackupSizeInMB.invalid=Muss ein Wert zwischen {0} MB und {1} MB sein diff --git a/shared/domain/src/commonMain/resources/mobile/settings_es.properties b/shared/domain/src/commonMain/resources/mobile/settings_es.properties new file mode 100644 index 00000000..24e251eb --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/settings_es.properties @@ -0,0 +1,50 @@ +################################################################################ +# Settings +################################################################################ + +settings.language=Idioma +settings.notifications=Notificaciones +settings.trade=Oferta y compra-venta +settings.display=Visualización +settings.misc=Misceláneo + +settings.language.headline=Selección de Idioma +settings.language.select=Seleccionar idioma +settings.language.select.invalid=Por favor, selecciona un idioma de la lista +settings.language.restart=Para aplicar el nuevo idioma debes reiniciar la aplicación +settings.language.supported.headline=Agregar tus idiomas aceptados +settings.language.supported.subHeadLine=Idiomas que hablas con fluidez +settings.language.supported.select=Seleccionar idioma +settings.language.supported.addButton.tooltip=Agregar idioma seleccionado a la lista +settings.language.supported.list.subHeadLine=Hablas en: +settings.language.supported.invalid=Por favor, seleccione un idioma de la lista + +settings.notification.options=Opciones de notificación +settings.notification.option.all=Todos los mensajes de chat +settings.notification.option.mention=Si me mencionan +settings.notification.option.off=Ninguna +settings.notification.notifyForPreRelease=Notificar sobre actualizaciones de software en pre-lanzamiento +settings.notification.useTransientNotifications=Usar notificaciones transitorias +settings.notification.clearNotifications=Limpiar notificaciones + +settings.display.headline=Configuraciones de pantalla +settings.display.useAnimations=Usar animaciones +settings.display.preventStandbyMode=Evitar modo de espera +settings.display.resetDontShowAgain=Restablecer todos los indicadores de 'No mostrar de nuevo' + +settings.trade.headline=Configuraciones de oferta e intercambio +settings.trade.maxTradePriceDeviation=Tolerancia máxima de precio de operación +settings.trade.maxTradePriceDeviation.help=Diferencia máxima de precio de operación que un ofertante tolera cuando su oferta es aceptada. +settings.trade.maxTradePriceDeviation.invalid=Debe ser un valor entre 1 y {0}% +settings.trade.closeMyOfferWhenTaken=Cerrar mi oferta cuando sea aceptada + +settings.network.headline=Configuración de red +settings.network.difficultyAdjustmentFactor.description.self=Factor de ajuste de dificultad PoW personalizado +settings.network.difficultyAdjustmentFactor.description.fromSecManager=Factor de ajuste de dificultad PoW del Mánager de Seguridad de Bisq +settings.network.difficultyAdjustmentFactor.invalid=Debe ser un número entre 0 y {0} +settings.network.difficultyAdjustmentFactor.ignoreValueFromSecManager=Ignorar el valor proporcionado por el Mánager de Seguridad de Bisq + +settings.backup.headline=Configuraciones de respaldo +settings.backup.totalMaxBackupSizeInMB.description=Tamaño máximo en MB para copias de seguridad automáticas +settings.backup.totalMaxBackupSizeInMB.info.tooltip=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\t- Última Hora: Mantener un máximo de una copia de seguridad por minuto.\n\t- Último Día: Mantener una copia de seguridad por hora.\n\t- Última Semana: Mantener una copia de seguridad por día.\n\t- Último Mes: Mantener una copia de seguridad por semana.\n\t- Último Año: Mantener una copia de seguridad por mes.\n\t- 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.backup.totalMaxBackupSizeInMB.invalid=Debe ser un valor entre {0} MB y {1} MB diff --git a/shared/domain/src/commonMain/resources/mobile/settings_it.properties b/shared/domain/src/commonMain/resources/mobile/settings_it.properties new file mode 100644 index 00000000..90a79843 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/settings_it.properties @@ -0,0 +1,50 @@ +################################################################################ +# Settings +################################################################################ + +settings.language=Lingua +settings.notifications=Notifiche +settings.trade=Offerta e scambio +settings.display=Visualizzazione +settings.misc=Misto + +settings.language.headline=Selezione della lingua +settings.language.select=Seleziona la lingua +settings.language.select.invalid=Scegli una lingua dall'elenco +settings.language.restart=Per applicare la nuova lingua, è necessario riavviare l'applicazione +settings.language.supported.headline=Aggiungi le lingue supportate +settings.language.supported.subHeadLine=Lingue in cui sei fluente +settings.language.supported.select=Seleziona la lingua +settings.language.supported.addButton.tooltip=Aggiungi la lingua selezionata all'elenco +settings.language.supported.list.subHeadLine=Fluente in: +settings.language.supported.invalid=Seleziona una lingua dall'elenco + +settings.notification.options=Opzioni di notifica +settings.notification.option.all=Tutti i messaggi della chat +settings.notification.option.mention=Se menzionato +settings.notification.option.off=Disattivato +settings.notification.notifyForPreRelease=Notifica sugli aggiornamenti del software pre-release +settings.notification.useTransientNotifications=Usa notifiche temporanee +settings.notification.clearNotifications=Cancella le notifiche + +settings.display.headline=Impostazioni di visualizzazione +settings.display.useAnimations=Usa animazioni +settings.display.preventStandbyMode=Prevenzione della modalità standby +settings.display.resetDontShowAgain=Resetta tutti i flag 'Non mostrare più' + +settings.trade.headline=Impostazioni offerta e trade +settings.trade.maxTradePriceDeviation=Tolleranza massima del prezzo di scambio +settings.trade.maxTradePriceDeviation.help=Differenza massima di prezzo di scambio che un maker tollera quando la sua offerta viene accettata. +settings.trade.maxTradePriceDeviation.invalid=Deve essere un valore compreso tra 1 e {0}% +settings.trade.closeMyOfferWhenTaken=Chiudi la mia offerta quando viene accettata + +settings.network.headline=Impostazioni di rete +settings.network.difficultyAdjustmentFactor.description.self=Fattore di regolazione della difficoltà PoW personalizzato +settings.network.difficultyAdjustmentFactor.description.fromSecManager=Fattore di regolazione della difficoltà PoW dal Gestore della Sicurezza di Bisq +settings.network.difficultyAdjustmentFactor.invalid=Deve essere un numero tra 0 e {0} +settings.network.difficultyAdjustmentFactor.ignoreValueFromSecManager=Ignora il valore fornito dal Gestore della Sicurezza di Bisq + +settings.backup.headline=Impostazioni di backup +settings.backup.totalMaxBackupSizeInMB.description=Dimensione massima in MB per i backup automatici +settings.backup.totalMaxBackupSizeInMB.info.tooltip=I dati importanti vengono automaticamente salvati nella directory dei dati ogni volta che vengono effettuati aggiornamenti,\nseguendo questa strategia di retention:\n\t- Ultima ora: Mantieni un massimo di un backup al minuto.\n\t- Ultimo giorno: Mantieni un backup all'ora.\n\t- Ultima settimana: Mantieni un backup al giorno.\n\t- Ultimo mese: Mantieni un backup alla settimana.\n\t- Ultimo anno: Mantieni un backup al mese.\n\t- 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.backup.totalMaxBackupSizeInMB.invalid=Deve essere un valore compreso tra {0} MB e {1} MB diff --git a/shared/domain/src/commonMain/resources/mobile/settings_pcm.properties b/shared/domain/src/commonMain/resources/mobile/settings_pcm.properties new file mode 100644 index 00000000..40e5030b --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/settings_pcm.properties @@ -0,0 +1,50 @@ +################################################################################ +# Settings +################################################################################ + +settings.language=Langwiji +settings.notifications=Notifikeshons +settings.trade=Offer an Trayd +settings.display=Display +settings.misc=Miscellaneous + +settings.language.headline=Selek Language +settings.language.select=Chuze Language +settings.language.select.invalid=Abeg chuz language from di list +settings.language.restart=To apply di new language, you need restart di application +settings.language.supported.headline=Add Languages We You Sabi +settings.language.supported.subHeadLine=Languages wey you sabi well well +settings.language.supported.select=Chuze Language +settings.language.supported.addButton.tooltip=Add di language wey you chuze to di list +settings.language.supported.list.subHeadLine=Sabi For: +settings.language.supported.invalid=Abeg chuz language from di list + +settings.notification.options=Notification Options +settings.notification.option.all=All Chat Messages +settings.notification.option.mention=If Dem Mention You +settings.notification.option.off=Off +settings.notification.notifyForPreRelease=Notify You About Pre-Release Software Updates +settings.notification.useTransientNotifications=Use Transient Notifications +settings.notification.clearNotifications=Clear Notifications + +settings.display.headline=Display Settings +settings.display.useAnimations=Use Animations +settings.display.preventStandbyMode=No Let Am Go Standby +settings.display.resetDontShowAgain=Reset All 'No Show Again' Flags + +settings.trade.headline=Offer And Trade Settings +settings.trade.maxTradePriceDeviation=Max. Trayd Price Tolerance +settings.trade.maxTradePriceDeviation.help=The maximum price difference that a maker can tolerate when their offer is taken. +settings.trade.maxTradePriceDeviation.invalid=Mus be a value between 1 and {0}% +settings.trade.closeMyOfferWhenTaken=Close My Offer Wey Dem Take + +settings.network.headline=Network setin +settings.network.difficultyAdjustmentFactor.description.self=Custom PoW difikulti adjasment faktor +settings.network.difficultyAdjustmentFactor.description.fromSecManager=PoW difikulti ajustment faktor by Bisq Security Manager +settings.network.difficultyAdjustmentFactor.invalid=Mus be number wey dey between 0 and {0} +settings.network.difficultyAdjustmentFactor.ignoreValueFromSecManager=Ignore value wey Bisq Security Manager provide + +settings.backup.headline=Backup setin +settings.backup.totalMaxBackupSizeInMB.description=Max. size wey dey MB for automatic backups +settings.backup.totalMaxBackupSizeInMB.info.tooltip=Important data dey automatically backed up for di data directory anytime dem make updates,\nfollowing dis retention strategy:\n\t- Last Hour: Keep maximum of one backup per minute.\n\t- Last Day: Keep one backup per hour.\n\t- Last Week: Keep one backup per day.\n\t- Last Month: Keep one backup per week.\n\t- Last Year: Keep one backup per month.\n\t- 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.backup.totalMaxBackupSizeInMB.invalid=Mus be a value wey dey between {0} MB and {1} MB diff --git a/shared/domain/src/commonMain/resources/mobile/settings_pt_BR.properties b/shared/domain/src/commonMain/resources/mobile/settings_pt_BR.properties new file mode 100644 index 00000000..8a9a322b --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/settings_pt_BR.properties @@ -0,0 +1,50 @@ +################################################################################ +# Settings +################################################################################ + +settings.language=Idioma +settings.notifications=Notificações +settings.trade=Oferta e negociação +settings.display=Exibição +settings.misc=Diversos + +settings.language.headline=Seleção de Idioma +settings.language.select=Selecionar idioma +settings.language.select.invalid=Por favor, escolha um idioma da lista +settings.language.restart=Para aplicar o novo idioma, você precisa reiniciar o aplicativo +settings.language.supported.headline=Adicione seus idiomas suportados +settings.language.supported.subHeadLine=Idiomas nos quais você é fluente +settings.language.supported.select=Selecionar idioma +settings.language.supported.addButton.tooltip=Adicionar idioma selecionado à lista +settings.language.supported.list.subHeadLine=Fluente em: +settings.language.supported.invalid=Por favor, escolha um idioma da lista + +settings.notification.options=Opções de Notificação +settings.notification.option.all=Todas as mensagens de chat +settings.notification.option.mention=Se mencionado +settings.notification.option.off=Desligado +settings.notification.notifyForPreRelease=Notificar sobre atualizações de software pré-lançamento +settings.notification.useTransientNotifications=Usar notificações transitórias +settings.notification.clearNotifications=Limpar notificações + +settings.display.headline=Configurações de Exibição +settings.display.useAnimations=Usar animações +settings.display.preventStandbyMode=Prevenir modo de espera +settings.display.resetDontShowAgain=Resetar todas as flags 'Não mostrar novamente' + +settings.trade.headline=Configurações de Oferta e Comércio +settings.trade.maxTradePriceDeviation=Tolerância máxima do preço de negociação +settings.trade.maxTradePriceDeviation.help=A diferença máxima de preço de negociação que um ofertante tolera quando sua oferta é aceita. +settings.trade.maxTradePriceDeviation.invalid=Deve ser um valor entre 1 e {0}% +settings.trade.closeMyOfferWhenTaken=Fechar minha oferta quando aceita + +settings.network.headline=Configurações de rede +settings.network.difficultyAdjustmentFactor.description.self=Fator de ajuste de dificuldade PoW personalizado +settings.network.difficultyAdjustmentFactor.description.fromSecManager=Fator de ajuste de dificuldade PoW pelo Gerenciador de Segurança do Bisq +settings.network.difficultyAdjustmentFactor.invalid=Deve ser um número entre 0 e {0} +settings.network.difficultyAdjustmentFactor.ignoreValueFromSecManager=Ignorar valor fornecido pelo Gerenciador de Segurança do Bisq + +settings.backup.headline=Configurações de Backup +settings.backup.totalMaxBackupSizeInMB.description=Tamanho máximo em MB para backups automáticos +settings.backup.totalMaxBackupSizeInMB.info.tooltip=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\t- Última Hora: Manter no máximo um backup por minuto.\n\t- Último Dia: Manter um backup por hora.\n\t- Última Semana: Manter um backup por dia.\n\t- Último Mês: Manter um backup por semana.\n\t- Último Ano: Manter um backup por mês.\n\t- 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.backup.totalMaxBackupSizeInMB.invalid=Deve ser um valor entre {0} MB e {1} MB diff --git a/shared/domain/src/commonMain/resources/mobile/settings_ru.properties b/shared/domain/src/commonMain/resources/mobile/settings_ru.properties new file mode 100644 index 00000000..e50364c7 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/settings_ru.properties @@ -0,0 +1,50 @@ +################################################################################ +# Settings +################################################################################ + +settings.language=Язык +settings.notifications=Уведомления +settings.trade=Предложение и торговля +settings.display=Дисплей +settings.misc=Разное + +settings.language.headline=Выбор языка +settings.language.select=Выберите язык +settings.language.select.invalid=Пожалуйста, выберите язык из списка +settings.language.restart=Чтобы применить новый язык, необходимо перезапустить приложение +settings.language.supported.headline=Добавьте поддерживаемые языки +settings.language.supported.subHeadLine=Языки, которыми вы свободно владеете +settings.language.supported.select=Выберите язык +settings.language.supported.addButton.tooltip=Добавить выбранный язык в список +settings.language.supported.list.subHeadLine=Свободно владею: +settings.language.supported.invalid=Пожалуйста, выберите язык из списка + +settings.notification.options=Параметры уведомлений +settings.notification.option.all=Все сообщения чата +settings.notification.option.mention=Если упоминается +settings.notification.option.off=Отключено +settings.notification.notifyForPreRelease=Уведомление о предварительных обновлениях программного обеспечения +settings.notification.useTransientNotifications=Используйте переходные уведомления +settings.notification.clearNotifications=Очистить уведомления + +settings.display.headline=Настройки дисплея +settings.display.useAnimations=Используйте анимацию +settings.display.preventStandbyMode=Предотвращение перехода в режим ожидания +settings.display.resetDontShowAgain=Сбросьте все флаги "Не показывать снова". + +settings.trade.headline=Параметры предложения и торговли +settings.trade.maxTradePriceDeviation=Максимально допустимая торговая цена +settings.trade.maxTradePriceDeviation.help=Максимальная торговая разница в цене, которую допускает производитель, когда его предложение принимается. +settings.trade.maxTradePriceDeviation.invalid=Должно быть значение от 1 до {0}% +settings.trade.closeMyOfferWhenTaken=Закройте мое предложение, когда оно будет принято + +settings.network.headline=Настройки сети +settings.network.difficultyAdjustmentFactor.description.self=Пользовательский коэффициент корректировки сложности PoW +settings.network.difficultyAdjustmentFactor.description.fromSecManager=Коэффициент корректировки сложности PoW от Bisq Security Manager +settings.network.difficultyAdjustmentFactor.invalid=Должно быть числом от 0 до {0}. +settings.network.difficultyAdjustmentFactor.ignoreValueFromSecManager=Игнорировать значение, предоставленное менеджером безопасности Bisq. + +settings.backup.headline=Настройки резервного копирования +settings.backup.totalMaxBackupSizeInMB.description=Макс. размер в МБ для автоматических резервных копий +settings.backup.totalMaxBackupSizeInMB.info.tooltip=Важные данные автоматически сохраняются в каталоге данных при каждом обновлении,\nсогласно этой стратегии хранения:\n\t- Последний час: Хранить максимум одну резервную копию в минуту.\n\t- Последний день: Хранить одну резервную копию в час.\n\t- Последняя неделя: Хранить одну резервную копию в день.\n\t- Последний месяц: Хранить одну резервную копию в неделю.\n\t- Последний год: Хранить одну резервную копию в месяц.\n\t- Предыдущие годы: Хранить одну резервную копию в год.\n\nОбратите внимание, что этот механизм резервного копирования не защищает от сбоев жесткого диска.\nДля лучшей защиты мы настоятельно рекомендуем создавать ручные резервные копии на альтернативном жестком диске. +settings.backup.totalMaxBackupSizeInMB.invalid=Должно быть значение от {0} МБ до {1} МБ diff --git a/shared/domain/src/commonMain/resources/mobile/support.properties b/shared/domain/src/commonMain/resources/mobile/support.properties new file mode 100644 index 00000000..35183fed --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/support.properties @@ -0,0 +1,50 @@ +################################################################################ +# Support +################################################################################ + +support.assistance=Assistance +support.resources=Resources + +################################################################################ +# Support / Assistance +################################################################################ + + +################################################################################ +# Support / Resources +################################################################################ + +support.resources.backup.headline=Backup +support.resources.backup.location=Backup location +support.resources.backup.location.prompt=Set backup location +support.resources.backup.location.help=Backup is not encrypted +support.resources.backup.location.invalid=Backup location path is invalid +support.resources.backup.setLocationButton=Set backup location +support.resources.backup.selectLocation=Select backup location +support.resources.backup.backupButton=Backup Bisq data directory +support.resources.backup.success=Backup successfully saved at:\n{0} +support.resources.backup.destinationNotExist=Backup destination ''{0}'' does not exist + +support.resources.localData.headline=Local data +support.resources.localData.openLogFile=Open 'bisq.log' file +support.resources.localData.openTorLogFile=Open Tor 'debug.log' file +support.resources.localData.openDataDir=Open Bisq data directory + +support.resources.guides.headline=Guides +support.resources.guides.tradeGuide=Open trade guide +support.resources.guides.walletGuide=Open wallet guide +support.resources.guides.chatRules=Open chat rules + +support.resources.legal.headline=Legal +support.resources.legal.tac=Open user agreement +support.resources.legal.license=Software license (AGPLv3) + +support.resources.resources.headline=Web resources +support.resources.resources.webpage=Bisq webpage +support.resources.resources.dao=About the Bisq DAO +support.resources.resources.sourceCode=GitHub source code repository +support.resources.resources.community=Bisq community at Matrix +support.resources.resources.contribute=How to contribute to Bisq + + + diff --git a/shared/domain/src/commonMain/resources/mobile/support_af_ZA.properties b/shared/domain/src/commonMain/resources/mobile/support_af_ZA.properties new file mode 100644 index 00000000..6ce9c9ad --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/support_af_ZA.properties @@ -0,0 +1,50 @@ +################################################################################ +# Support +################################################################################ + +support.assistance=Hulp +support.resources=Hulpbronne + +################################################################################ +# Support / Assistance +################################################################################ + + +################################################################################ +# Support / Resources +################################################################################ + +support.resources.backup.headline=Back-up +support.resources.backup.location=Back-up ligging +support.resources.backup.location.prompt=Stel rugsteun ligging in +support.resources.backup.location.help=Back-up is nie versleuteld nie +support.resources.backup.location.invalid=Back-up ligging pad is ongeldig +support.resources.backup.setLocationButton=Stel rugsteun ligging in +support.resources.backup.selectLocation=Kies rugsteun ligging +support.resources.backup.backupButton=Maak 'n rugsteun van die Bisq datagids +support.resources.backup.success=Backup suksesvol gestoor na:\n{0} +support.resources.backup.destinationNotExist=Back-up bestemming ''{0}'' bestaan nie + +support.resources.localData.headline=Plaaslike data +support.resources.localData.openLogFile=Open 'bisq.log' lêer +support.resources.localData.openTorLogFile=Open Tor 'debug.log' lêer +support.resources.localData.openDataDir=Open Bisq data gids + +support.resources.guides.headline=Gids +support.resources.guides.tradeGuide=Open handel gids +support.resources.guides.walletGuide=Ope beursie gids +support.resources.guides.chatRules=Oop geselskapreëls + +support.resources.legal.headline=Regshulp +support.resources.legal.tac=Open gebruikersooreenkoms +support.resources.legal.license=Sagtewarelisensie (AGPLv3) + +support.resources.resources.headline=Web hulpbronne +support.resources.resources.webpage=Bisq webblad +support.resources.resources.dao=Oor die Bisq DAO +support.resources.resources.sourceCode=GitHub bronnkode-berging +support.resources.resources.community=Bisq gemeenskap by Matrix +support.resources.resources.contribute=Hoe om by te dra tot Bisq + + + diff --git a/shared/domain/src/commonMain/resources/mobile/support_cs.properties b/shared/domain/src/commonMain/resources/mobile/support_cs.properties new file mode 100644 index 00000000..74e5f374 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/support_cs.properties @@ -0,0 +1,50 @@ +################################################################################ +# Support +################################################################################ + +support.assistance=Pomoc +support.resources=Zdroje + +################################################################################ +# Support / Assistance +################################################################################ + + +################################################################################ +# Support / Resources +################################################################################ + +support.resources.backup.headline=Zálohování +support.resources.backup.location=Lokace zálohování +support.resources.backup.location.prompt=Nastavit umístění zálohování +support.resources.backup.location.help=Záloha není šifrovaná +support.resources.backup.location.invalid=Neplatná cesta k umístění zálohování +support.resources.backup.setLocationButton=Nastavit umístění zálohování +support.resources.backup.selectLocation=Vyberte umístění zálohování +support.resources.backup.backupButton=Zálohovat adresář dat Bisq +support.resources.backup.success=Záloha úspěšně uložena na:\n{0} +support.resources.backup.destinationNotExist=Cílový adresář zálohování ''{0}'' neexistuje + +support.resources.localData.headline=Místní data +support.resources.localData.openLogFile=Otevřít soubor 'bisq.log' +support.resources.localData.openTorLogFile=Otevřít Tor soubor 'debug.log' +support.resources.localData.openDataDir=Otevřít adresář dat Bisq + +support.resources.guides.headline=Návody +support.resources.guides.tradeGuide=Otevřít obchodní průvodce +support.resources.guides.walletGuide=Otevřít průvodce peněženkou +support.resources.guides.chatRules=Otevřít pravidla chatu + +support.resources.legal.headline=Právní +support.resources.legal.tac=Otevřít uživatelskou dohodu +support.resources.legal.license=Licence softwaru (AGPLv3) + +support.resources.resources.headline=Webové zdroje +support.resources.resources.webpage=Webová stránka Bisq +support.resources.resources.dao=O projektu Bisq DAO +support.resources.resources.sourceCode=Repozitář zdrojového kódu na GitHubu +support.resources.resources.community=Komunita Bisq na Matrixu +support.resources.resources.contribute=Jak přispět do Bisq + + + diff --git a/shared/domain/src/commonMain/resources/mobile/support_de.properties b/shared/domain/src/commonMain/resources/mobile/support_de.properties new file mode 100644 index 00000000..4f48ae4c --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/support_de.properties @@ -0,0 +1,50 @@ +################################################################################ +# Support +################################################################################ + +support.assistance=Unterstützung +support.resources=Ressourcen + +################################################################################ +# Support / Assistance +################################################################################ + + +################################################################################ +# Support / Resources +################################################################################ + +support.resources.backup.headline=Sicherung +support.resources.backup.location=Sicherungsort +support.resources.backup.location.prompt=Sicherungsort festlegen +support.resources.backup.location.help=Sicherung ist nicht verschlüsselt +support.resources.backup.location.invalid=Der Pfad des Sicherungsorts ist ungültig +support.resources.backup.setLocationButton=Sicherungsort festlegen +support.resources.backup.selectLocation=Sicherungsort auswählen +support.resources.backup.backupButton=Bisq-Datenverzeichnis sichern +support.resources.backup.success=Sicherung erfolgreich gespeichert unter:\n{0} +support.resources.backup.destinationNotExist=Sicherungsziel ''{0}'' existiert nicht + +support.resources.localData.headline=Lokale Daten +support.resources.localData.openLogFile=Öffne die Datei 'bisq.log' +support.resources.localData.openTorLogFile=Öffne die Tor 'debug.log' Datei +support.resources.localData.openDataDir=Bisq-Datenverzeichnis öffnen + +support.resources.guides.headline=Richtlinien +support.resources.guides.tradeGuide=Handelsanleitung öffnen +support.resources.guides.walletGuide=Wallet-Anleitung öffnen +support.resources.guides.chatRules=Chat-Richtlinien öffnen + +support.resources.legal.headline=Rechtliches +support.resources.legal.tac=Nutzervereinbarung öffnen +support.resources.legal.license=Software-Lizenz (AGPLv3) + +support.resources.resources.headline=Webressourcen +support.resources.resources.webpage=Bisq-Webseite +support.resources.resources.dao=Über die Bisq-DAO +support.resources.resources.sourceCode=GitHub-Quellcode-Repository +support.resources.resources.community=Bisq-Community bei Matrix +support.resources.resources.contribute=Wie Sie zu Bisq beitragen können + + + diff --git a/shared/domain/src/commonMain/resources/mobile/support_es.properties b/shared/domain/src/commonMain/resources/mobile/support_es.properties new file mode 100644 index 00000000..9bfff72d --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/support_es.properties @@ -0,0 +1,50 @@ +################################################################################ +# Support +################################################################################ + +support.assistance=Asistencia +support.resources=Recursos + +################################################################################ +# Support / Assistance +################################################################################ + + +################################################################################ +# Support / Resources +################################################################################ + +support.resources.backup.headline=Respaldo +support.resources.backup.location=Ubicación de respaldo +support.resources.backup.location.prompt=Establecer ubicación de respaldo +support.resources.backup.location.help=El respaldo no está encriptado +support.resources.backup.location.invalid=La ruta de ubicación de respaldo es inválida +support.resources.backup.setLocationButton=Establecer ubicación de respaldo +support.resources.backup.selectLocation=Seleccionar ubicación de respaldo +support.resources.backup.backupButton=Respaldo del directorio de datos de Bisq +support.resources.backup.success=Respaldo guardado exitosamente en:\n{0} +support.resources.backup.destinationNotExist=El destino de respaldo ''{0}'' no existe + +support.resources.localData.headline=Datos locales +support.resources.localData.openLogFile=Abrir archivo 'bisq.log' +support.resources.localData.openTorLogFile=Abrir archivo 'debug.log' de Tor +support.resources.localData.openDataDir=Abrir directorio de datos de Bisq + +support.resources.guides.headline=Guías +support.resources.guides.tradeGuide=Abrir guía de intercambio +support.resources.guides.walletGuide=Abrir guía de la cartera +support.resources.guides.chatRules=Abrir reglas de chat + +support.resources.legal.headline=Legal +support.resources.legal.tac=Abrir acuerdo de usuario +support.resources.legal.license=Licencia de software (AGPLv3) + +support.resources.resources.headline=Recursos web +support.resources.resources.webpage=Página web de Bisq +support.resources.resources.dao=Acerca de la DAO de Bisq +support.resources.resources.sourceCode=Repositorio de código fuente en GitHub +support.resources.resources.community=Comunidad de Bisq en Matrix +support.resources.resources.contribute=Cómo contribuir a Bisq + + + diff --git a/shared/domain/src/commonMain/resources/mobile/support_it.properties b/shared/domain/src/commonMain/resources/mobile/support_it.properties new file mode 100644 index 00000000..dc4cccbb --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/support_it.properties @@ -0,0 +1,50 @@ +################################################################################ +# Support +################################################################################ + +support.assistance=Assistenza +support.resources=Risorse + +################################################################################ +# Support / Assistance +################################################################################ + + +################################################################################ +# Support / Resources +################################################################################ + +support.resources.backup.headline=Backup +support.resources.backup.location=Posizione del backup +support.resources.backup.location.prompt=Imposta la posizione del backup +support.resources.backup.location.help=Il backup non è criptato +support.resources.backup.location.invalid=Percorso della posizione del backup non valido +support.resources.backup.setLocationButton=Imposta la posizione del backup +support.resources.backup.selectLocation=Seleziona la posizione del backup +support.resources.backup.backupButton=Fai un backup della directory dei dati di Bisq +support.resources.backup.success=Backup salvato con successo in:\n{0} +support.resources.backup.destinationNotExist=La destinazione del backup ''{0}'' non esiste + +support.resources.localData.headline=Dati locali +support.resources.localData.openLogFile=Apri il file 'bisq.log' +support.resources.localData.openTorLogFile=Apri il file 'debug.log' di Tor +support.resources.localData.openDataDir=Apri la directory dei dati di Bisq + +support.resources.guides.headline=Guide +support.resources.guides.tradeGuide=Apri la guida al trading +support.resources.guides.walletGuide=Apri la guida al portafoglio +support.resources.guides.chatRules=Apri le regole della chat + +support.resources.legal.headline=Legale +support.resources.legal.tac=Apri accordo dell'utente +support.resources.legal.license=Licenza del software (AGPLv3) + +support.resources.resources.headline=Risorse Web +support.resources.resources.webpage=Sito web di Bisq +support.resources.resources.dao=Informazioni sul Bisq DAO +support.resources.resources.sourceCode=Repository del codice sorgente su GitHub +support.resources.resources.community=Comunità Bisq su Matrix +support.resources.resources.contribute=Come contribuire a Bisq + + + diff --git a/shared/domain/src/commonMain/resources/mobile/support_pcm.properties b/shared/domain/src/commonMain/resources/mobile/support_pcm.properties new file mode 100644 index 00000000..b94f9047 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/support_pcm.properties @@ -0,0 +1,50 @@ +################################################################################ +# Support +################################################################################ + +support.assistance=Assistance +support.resources=Resources + +################################################################################ +# Support / Assistance +################################################################################ + + +################################################################################ +# Support / Resources +################################################################################ + +support.resources.backup.headline=Backup +support.resources.backup.location=Backup Location +support.resources.backup.location.prompt=Set Backup Location +support.resources.backup.location.help=Backup No Dey Encrypted +support.resources.backup.location.invalid=Backup Location Path No Correct +support.resources.backup.setLocationButton=Set Backup Location +support.resources.backup.selectLocation=Select Backup Location +support.resources.backup.backupButton=Backup Bisq Data Directory +support.resources.backup.success=Backup Successfully Save For:\n{0} +support.resources.backup.destinationNotExist=Backup Destination ''{0}'' No Exist + +support.resources.localData.headline=Local Data +support.resources.localData.openLogFile=Open 'bisq.log' file +support.resources.localData.openTorLogFile=Open Tor 'debug.log' file +support.resources.localData.openDataDir=Open Bisq Data Directory + +support.resources.guides.headline=Guide +support.resources.guides.tradeGuide=Open Trade Guide +support.resources.guides.walletGuide=Open Wallet Guide +support.resources.guides.chatRules=Open Chat Rules + +support.resources.legal.headline=Legal +support.resources.legal.tac=Open User Agreement +support.resources.legal.license=Software License (AGPLv3) + +support.resources.resources.headline=Web Resources +support.resources.resources.webpage=Bisq Webpage +support.resources.resources.dao=About The Bisq DAO +support.resources.resources.sourceCode=GitHub Source Code Repository +support.resources.resources.community=Bisq Community For Matrix +support.resources.resources.contribute=How To Contribute To Bisq + + + diff --git a/shared/domain/src/commonMain/resources/mobile/support_pt_BR.properties b/shared/domain/src/commonMain/resources/mobile/support_pt_BR.properties new file mode 100644 index 00000000..6566ae26 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/support_pt_BR.properties @@ -0,0 +1,50 @@ +################################################################################ +# Support +################################################################################ + +support.assistance=Assistência +support.resources=Recursos + +################################################################################ +# Support / Assistance +################################################################################ + + +################################################################################ +# Support / Resources +################################################################################ + +support.resources.backup.headline=Backup +support.resources.backup.location=Localização do Backup +support.resources.backup.location.prompt=Definir localização do backup +support.resources.backup.location.help=Backup não está criptografado +support.resources.backup.location.invalid=Caminho de localização do backup é inválido +support.resources.backup.setLocationButton=Definir localização do backup +support.resources.backup.selectLocation=Selecionar localização do backup +support.resources.backup.backupButton=Backup do diretório de dados do Bisq +support.resources.backup.success=Backup salvo com sucesso em:\n{0} +support.resources.backup.destinationNotExist=Destino de backup ''{0}'' não existe + +support.resources.localData.headline=Dados Locais +support.resources.localData.openLogFile=Abrir arquivo 'bisq.log' +support.resources.localData.openTorLogFile=Abrir arquivo 'debug.log' do Tor +support.resources.localData.openDataDir=Abrir diretório de dados do Bisq + +support.resources.guides.headline=Guias +support.resources.guides.tradeGuide=Abrir guia de comércio +support.resources.guides.walletGuide=Abrir guia de carteira +support.resources.guides.chatRules=Abrir regras do chat + +support.resources.legal.headline=Legal +support.resources.legal.tac=Abrir acordo do usuário +support.resources.legal.license=Licença do software (AGPLv3) + +support.resources.resources.headline=Recursos Web +support.resources.resources.webpage=Página do Bisq +support.resources.resources.dao=Sobre o DAO do Bisq +support.resources.resources.sourceCode=Repositório de código fonte no GitHub +support.resources.resources.community=Comunidade Bisq no Matrix +support.resources.resources.contribute=Como contribuir para o Bisq + + + diff --git a/shared/domain/src/commonMain/resources/mobile/support_ru.properties b/shared/domain/src/commonMain/resources/mobile/support_ru.properties new file mode 100644 index 00000000..01b97309 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/support_ru.properties @@ -0,0 +1,50 @@ +################################################################################ +# Support +################################################################################ + +support.assistance=Помощь +support.resources=Ресурсы + +################################################################################ +# Support / Assistance +################################################################################ + + +################################################################################ +# Support / Resources +################################################################################ + +support.resources.backup.headline=Резервное копирование +support.resources.backup.location=Место резервного копирования +support.resources.backup.location.prompt=Установить местоположение резервной копии +support.resources.backup.location.help=Резервная копия не зашифрована +support.resources.backup.location.invalid=Путь к месту резервного копирования недействителен +support.resources.backup.setLocationButton=Установить местоположение резервной копии +support.resources.backup.selectLocation=Выбрать место для резервного копирования +support.resources.backup.backupButton=Создать резервную копию директории данных Bisq +support.resources.backup.success=Резервная копия успешно сохранена по адресу:\n{0} +support.resources.backup.destinationNotExist=Расположение резервной копии ''{0}'' не существует + +support.resources.localData.headline=Локальные данные +support.resources.localData.openLogFile=Открыть файл 'bisq.log' +support.resources.localData.openTorLogFile=Открыть файл 'debug.log' Tor +support.resources.localData.openDataDir=Открыть каталог данных Bisq + +support.resources.guides.headline=Руководства +support.resources.guides.tradeGuide=Открыть руководство по сделкам +support.resources.guides.walletGuide=Открыть руководство по Кошельку +support.resources.guides.chatRules=Открыть правила чата + +support.resources.legal.headline=Юридические +support.resources.legal.tac=Открыть пользовательское соглашение +support.resources.legal.license=Лицензия на программное обеспечение (AGPLv3) + +support.resources.resources.headline=Веб-ресурсы +support.resources.resources.webpage=Веб-страница Bisq +support.resources.resources.dao=О Биск DAO +support.resources.resources.sourceCode=Репозиторий исходного кода GitHub +support.resources.resources.community=Сообщество Bisq в Matrix +support.resources.resources.contribute=Как внести вклад в Bisq + + + diff --git a/shared/domain/src/commonMain/resources/mobile/trade_apps.properties b/shared/domain/src/commonMain/resources/mobile/trade_apps.properties new file mode 100644 index 00000000..5bdec289 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/trade_apps.properties @@ -0,0 +1,374 @@ +###################################################### +## Trade protocols +###################################################### +tradeApps.compare=Compare protocols +tradeApps.bisqMuSig=Bisq MuSig +tradeApps.subMarine=Submarine Swaps +tradeApps.bisqLightning=Bisq Lightning +tradeApps.more=More + +tradeApps.comingSoon=Coming soon +tradeApps.select=Select +tradeApps.release=Release +tradeApps.security=Security +tradeApps.markets=Markets +tradeApps.privacy=Privacy +tradeApps.convenience=Convenience +tradeApps.overview=Overview +tradeApps.tradeOffs=Pro/Con + +tradeApps.overview.headline=Find out the best way to trade Bitcoin +tradeApps.overview.subHeadline=A trade protocol serves as the fundamental framework for trading Bitcoin in a secure way. \ + Each trade protocol presents its own set of advantages and trade-offs encompassing security, privacy, and convenience.\n\ + Bisq offers you the flexibility to select the optimal protocol aligning with your preferences.\n\n\ + Explore the upcoming trade protocols slated for integration into Bisq. \ + As of now, Bisq Easy stands as the sole implemented protocol, tailored for novice Bitcoin users and suitable for smaller trade amounts. \ + Keep an eye out for updates if any of the upcoming protocols catch your interest. + +tradeApps.overview.more=Additionally, there are more protocols on the horizon, scheduled for future implementation. + + +###################################################### +## BISQ_EASY +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.BISQ_EASY=Bisq Easy +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.BISQ_EASY=BTC/Fiat +# suppress inspection "UnusedProperty" +tradeApps.overview.BISQ_EASY=Easy to use chat based trade protocol. Security is based on seller's reputation +# suppress inspection "UnusedProperty" +tradeApps.overview.security.BISQ_EASY=Security is based on sellers reputation. Only suited for small amounts. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.BISQ_EASY=Depends on the fiat transfer method used. Online fiat transfer usually \ + reveals identity to the trade peer. On the Bitcoin side it is constrained by Bitcoin's privacy limitations and depends \ + on user behaviour (avoiding coin merge of multiple trades increase privacy). See Bisq wiki for more information. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.BISQ_EASY=Very easy to use chat interface. Bitcoin buyer does not need to have Bitcoin. + +###################################################### +## BISQ_MU_SIG +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG=Bisq MuSig +# suppress inspection "UnusedProperty" +tradeApps.overview.BISQ_MU_SIG=The Bisq MuSig protocol requires only one transaction thanks to MuSig, Atomic Swaps and Taproot. +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.BISQ_MU_SIG=BTC/Fiat +# suppress inspection "UnusedProperty" +tradeApps.overview.security.BISQ_MU_SIG=Security is based on security deposits as well on additional features in \ + relation to trade limits. See the Bisq wiki for more information. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.BISQ_MU_SIG=Depends on the fiat transfer method used. Online fiat transfer usually \ + reveals identity to the trade peer. On the Bitcoin side it is constrained by Bitcoin's privacy limitations and depends \ + on user behaviour (avoiding coin merge of multiple trades increase privacy). See Bisq wiki for more information. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.BISQ_MU_SIG=The user needs to have a small amount of Bitcoins for locking up security deposit. \ + Can be as fast as blockchain confirmation time or up to a few days depending on the fiat payment method. + +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.subHeadline=Based on MuSig, Atomic swaps and Taproot it requires only one transaction +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.overview=Conceptually it follows the trade protocol used in Bisq 1, based on a security deposit and a dispute resolution process.\n\ + - It reduces the number of transactions from 4 to 1.\n\ + - Improves privacy by making the deposit transaction look like a standard 'pay-to-pubKey-hash' transaction.\n\ + - It avoids the problem that a seller needs to open arbitration in case the buyer does not release the security deposit after the trade. \ + Atomic swaps will ensure the seller can get their deposit back even without cooperation of the buyer.\n\ + - In case of a non-responsive trade peer, a multi-stage payout transaction structure ensures that no arbitration \ + and reimbursement by the DAO is required.\n\ + - Taproot provides more flexibility and privacy.\n\ + - Find out more details at: https://github.com/bisq-network/proposals/issues/456 +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.release=Bisq MuSig is expected to be ready for release in Q2/2025. +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.pro=\ + + Reasonable good security for medium value trade amounts\n\ + + Compared to Bisq Easy the security properties are better and higher amounts can be traded. The higher amounts bring trade prices closer to market rates.\n\ + + Manages to deal with the legacy system of the fiat world +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.con=\ + - Both traders need to have BTC for the security deposit\n\ + - The makers Bisq node need to be online as the take-offer process is interactive\n\ + - As the fiat transfer is done on legacy systems like bank transfers it inherits all those drawbacks, like chargeback risk, slow transfer, privacy exposure to peer when the bank transfer details contain the real name. Though those various drawbacks can be mitigated by using payment methods which carry low chargeback risk, are fast or instant and use account IDs or email instead of real names. Certain payment methods avoid banking system completely like cash-by-mail or trading face to face. + + +###################################################### +## SUBMARINE +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE=Submarine Swaps +# suppress inspection "UnusedProperty" +tradeApps.overview.SUBMARINE=Swap between Bitcoin on Lightning network to on-chain Bitcoin +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.SUBMARINE=LN-BTC/BTC +# suppress inspection "UnusedProperty" +tradeApps.overview.security.SUBMARINE=Atomic swap provides a very high level of security. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.SUBMARINE=Swaps can potentially improve privacy by breaking traces for chain analysis. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.SUBMARINE=User needs to install and configure a Lightning wallet. \ + Once installed it's very convenient to use. +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.subHeadline=Submarine swaps allow to exchange off-chain and on-chain Bitcoin safely without counterparty risk +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.overview=The swap is performed by using the secret of a hash time-locked contract (HTLC) in the Lightning Network for a contract in a Bitcoin transaction. \ + By claiming the Lightning payment the secret for claiming the on-chain Bitcoin is revealed to the sender of the Lightning payment. \ + This ensures that one payment unlocks the other payment, thus enables an exchange without counterparty risk. +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.release=Submarine swaps is expected to be ready for release in Q3/2025. +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.pro=\ + + Very high security for large trade amounts\n\ + + Swapping on-chain Bitcoin to Lightning can potentially improve privacy.\n\ + + Exchange can be done by trading bots, thue enables fast and automated trades. +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.con=\ + - Mining fees for the Bitcoin transaction can make small trades un-economic\n\ + - Traders have to take care of the timeouts of the transactions. In case of blockchain congestion and delayed confirmation that can pose a security risk. + + +###################################################### +## LIQUID_MU_SIG +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG=Liquid MuSig +# suppress inspection "UnusedProperty" +tradeApps.overview.LIQUID_MU_SIG=The Bisq MuSig protocol ported to the Liquid side chain +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.LIQUID_MU_SIG=L-BTC/Fiat +# suppress inspection "UnusedProperty" +tradeApps.overview.security.LIQUID_MU_SIG=Security is based on security deposits as well on additional features in \ + relation to trade limits. See the Bisq wiki for more information. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.LIQUID_MU_SIG=Depends on the fiat transfer method used. Online fiat transfer usually \ + reveals identity to the trade peer. On the Liquid side it has better privacy than mainnet Bitcoin due confidential transactions. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.LIQUID_MU_SIG=The user needs to have a small amount of L-BTC for locking up security deposit. \ + Blockchain confirmation on liquid is very fast (about 1 minute). Time for trade depends on the payment method used and the trader's response time. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.subHeadline=Based on a security deposit, a MuSig transaction and a multi layer dispute resolution process +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.overview=Conceptually it follows the Bisq MuSig protocol (on Bitcoin mainnet). Liquid has not the same censorship properties as Bitcoin, though it provides a few benefits over Bitcoin mainnet:\n\ + - Liquid has very short block confirmation time of about 1 minute.\n\ + - Transactions fees are very low.\n\ + - Privacy is better due confidential transactions which hide the amount being sent. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.release=Liquid MuSig is expected to be ready for release in Q3/2025. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.pro=\ + + Reasonable good security for medium value trade amounts\n\ + + Compared to Bisq MuSig there are lower transaction fees, faster confirmation and better privacy.\n\ + + Manages to deal with the legacy system of the Fiat world +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.con=\ + - Both traders need to have L-BTC for the security deposit\n\ + - Liquid is a federated side chain and does not have the high level of censorship resistance as mainnet Bitcoin.\n\ + - Peg-in from mainnet Bitcoin to Liquid Bitcoin is trust-less, though for pegging-out L-BTC to BTC it requires authorisation of the federation.\n\ + - The makers Bisq node need to be online as the take-offer process is interactive\n\ + - As the Fiat transfer is done on legacy systems like bank transfers it inherits all those drawbacks, like chargeback risk, slow transfer, privacy exposure to peer when the bank transfer details contain the real name. Though those various drawbacks can be mitigated by using payment methods which carry low chargeback risk, are fast or instant and use account IDs or email instead of real names. Certain payment methods avoid banking system completely like cash-by-mail or trading face to face. + + +###################################################### +## BISQ_LIGHTNING +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING=Bisq Lightning +# suppress inspection "UnusedProperty" +tradeApps.overview.BISQ_LIGHTNING=Enables trade of Bitcoin on Lightning Network to Fiat by combining Submarine swaps and Liquid MuSig protocol +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.BISQ_LIGHTNING=LN-BTC/Fiat +# suppress inspection "UnusedProperty" +tradeApps.overview.security.BISQ_LIGHTNING=Security is based on security deposits as well on additional features in \ + relation to trade limits. See the Bisq wiki for more information. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.BISQ_LIGHTNING=Depends on the Fiat transfer method used. Online Fiat transfer usually \ + reveals identity to the trade peer. On the Lightning side it has better privacy than on-chain Bitcoin as it does not leave traces on the Blockchain. On the Liquid side it has better privacy than mainnet Bitcoin due confidential transactions. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.BISQ_LIGHTNING=The user needs to have a small amount of Bitcoin on Lightning for locking up security deposit. \ + The Submarine swaps and the trade transactions benefit from the fast blockchain confirmation time of about 1 minute. \ + Time for trade depends on the payment method used and the trader's response time. +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.subHeadline=Combines Submarine swaps from Lightning to Liquid and the Liquid MuSig protocol +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.overview=It enables that traders can use their off-chain Bitcoin on Lightning for trading with Fiat based on the Liquid MuSig protocol. \ + The protocol is a chain of 3 trades and 2 different protocols:\n\ + - First the traders swap their Lightning Bitcoin via a reverse Submarine swap to L-BTC (Submarine swap between Lightning and Liquid). This swap happens with any liquidity provider, not with the trading peer.\n\ + - Then the trade happens on Liquid using the MuSig protocol.\n\ + - Once the trade has completed, the L-BTC gets swapped back to Lightning by a Submarine swap (again with another trader/liquidity provider). +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.release=Bisq Lightning is expected to be ready for release in Q3/2025. +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.pro=\ + + Reasonable good security for medium value trade amounts\n\ + + Compared to Bisq MuSig there are lower transaction fees, faster confirmation and better privacy.\n\ + + Manages to deal with the legacy system of the Fiat world +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.con=\ + - Both traders need to have BTC on Lightning for the security deposit\n\ + - The involvement of 2 additional traders for the Submarine swaps adds complexity and potential (rather small) risks.\n\ + - Liquid is a federated side chain and does not have the high level of censorship resistance as mainnet Bitcoin.\n\ + - Peg-in from mainnet Bitcoin to Liquid Bitcoin is trust-less, though for pegging-out L-BTC to BTC it requires authorisation of the federation.\n\ + - The makers Bisq node need to be online as the take-offer process is interactive\n\ + - As the Fiat transfer is done on legacy systems like bank transfers it inherits all those drawbacks, like chargeback risk, slow transfer, privacy exposure to peer when the bank transfer details contain the real name. Though those various drawbacks can be mitigated by using payment methods which carry low chargeback risk, are fast or instant and use account IDs or email instead of real names. Certain payment methods avoid banking system completely like cash-by-mail or trading face to face. + + +###################################################### +## LIQUID_SWAP +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP=Liquid Swaps +# suppress inspection "UnusedProperty" +tradeApps.overview.LIQUID_SWAP=Trade any Liquid based assets like USDT and BTC-L with an atomic swap on the Liquid network +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.LIQUID_SWAP=Liquid Assets +# suppress inspection "UnusedProperty" +tradeApps.overview.security.LIQUID_SWAP=Ultimate security by using smart contracts on the same blockchain. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.LIQUID_SWAP=Liquid supports confidential transactions, thus not revealing \ +the amount on the blockchain. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.LIQUID_SWAP=User needs to install and configure the Elements wallet for Liquid. \ +Once installed it's very convenient to use. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.subHeadline=Atomic swap based trade protocol on the Liquid side-chain for trading any Liquid asset +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.overview=To use Liquid swaps the user need to install and run the Elements wallet and configure it, so that it can be accessed from the Bisq application.\n\n\ + The most widely used asset on Liquid is USDT (Tether), a stable coin pegged to the USD. While this is not comparable to something like Bitcoin, it has many advantages over Fiat USD which involves usually bank transfers with all the problems and inconvenience of the legacy Fiat system.\n\n\ + L-BTC might be used on the other end of the trade which is a substitute of Bitcoin on the Liquid chain. To convert Bitcoin to L-BTC one need to send Bitcoin to a peg-in address and will receive after 102 confirmations L-BTC for that. Going back from L-BTC to Bitcoin (peg-out) works similar but requires authorisation from the Liquid federation which is a group of companies and individuals in the Bitcoin space. So it is not a completely trust-less process.\n\n\ + One should avoid comparing Liquid assets to the properties of Bitcoin. It targets other use cases and cannot meet the high level of decentralisation and censorship resistance of Bitcoin. It can be seen rather as an alternative to traditional financial products. By using blockchain technology it avoids classical intermediaries, improves security and privacy and provides a better user experience. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.release=Liquid swaps are still in development. It is expected to be released in Q3/2025. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.pro=\ + + Confidential transactions provide good privacy\n\ + + Fast confirmation time of about 1 minute\n\ + + Low transaction fees\n\ + + Suitable for high value transactions +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.con=\ + - Requires running the Elements wallet and blockchain\n\ + - Both traders need to be online\n\ + - Peg-out from L-BTC is not trust-less + + +###################################################### +## BSQ_SWAP +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP=BSQ Swaps +# suppress inspection "UnusedProperty" +tradeApps.overview.BSQ_SWAP=Trade Bitcoin and the BSQ token via atomic swaps, instantaneously and secure +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.BSQ_SWAP=BSQ/BTC +# suppress inspection "UnusedProperty" +tradeApps.overview.security.BSQ_SWAP=Ultimate security by using smart contract on same blockchain. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.BSQ_SWAP=Constrained by Bitcoin's privacy limitations and depends \ +on user behaviour (avoiding coin merge of multiple trades increase privacy). BSQ has potentially less privacy due \ +the smaller anonymity set. See Bisq wiki for more information. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.BSQ_SWAP=User needs to install and configure the BSQ wallet. \ +Once installed it's very convenient to use. +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.subHeadline=Atomic swap between BSQ (colored coin on Bitcoin) and Bitcoin +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.overview=Same model as used in Bisq 1. As it is based on one single atomic transaction it is very secure.\n\ + It will require to run the Bisq 1 node with the DAO API enabled. +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.release=BSQ swaps is expected to be ready for release in Q4/2025. +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.pro=\ + + Very secure\n\ + + Relative fast, thought only after the blockchain confirmation the trade is considered complete\n\ + + No maker fee transaction and no security deposit required +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.con=\ + - Need to run Bisq 1 for the BSQ/DAO data\n\ + - Limited to BSQ/BTC market + + +###################################################### +## LIGHTNING_ESCROW +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW=Lightning Escrow +# suppress inspection "UnusedProperty" +tradeApps.overview.LIGHTNING_ESCROW=Escrow based trade protocol on the Lightning network using multi-party computation cryptography +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.LIGHTNING_ESCROW=LN-BTC/Fiat +# suppress inspection "UnusedProperty" +tradeApps.overview.security.LIGHTNING_ESCROW=Security is based on security deposits as well on additional features in \ +relation to trade limits. The protocol uses some novel cryptographic techniques which are not battle-tested and audited. \ +See Bisq wiki for more information. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.LIGHTNING_ESCROW=Depends on the Fiat transfer method used. Online Fiat transfer usually \ +reveals identity to the trade peer. On the Bitcoin side it is constrained by Bitcoin's privacy limitations and depends \ +on user behaviour (avoiding coin merge of multiple trades increase privacy). See Bisq wiki for more information. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.LIGHTNING_ESCROW=User need to have a small amount of Bitcoin for locking up security deposit. +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.subHeadline=Three-party protocol for trading Fiat with Bitcoin on Lightning Network. +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.overview=It is based on multiple Lightning payments and splits up the secrets for the HTLCs to construct a secure setup where the 3rd party guarantees that the traders behave fair. It uses garbled circuits to achieve secure multi party computation.\n\n\ + The user needs to run a Lightning node which is configured with the Bisq application.\n\n\ + Conceptually it is similar to the Bisq MuSig protocol but instead of the MuSig transaction it uses this 3-party set-up and instead of on-chain Bitcoin it uses Bitcoin on Lightning Network. +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.release=Lightning Escrow is expected to be ready for release in Q4/2025. +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.pro=\ + + Compared to Bisq Easy the security properties are better and higher amounts can be traded. The higher amounts bring trade prices closer to market rates.\n\ + + The Bitcoin transfer is near instant\n\ + + Very low transaction (routing) fees +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.con=\ + - Need to run a Lightning node\n\ + - Both traders need to have BTC (on Lightning) for the security deposit.\n\ + - The makers Bisq node need to be online as the take-offer process is interactive.\n\ + - As the Fiat transfer is done on legacy systems like bank transfers it inherits all those drawbacks, like chargeback risk, slow transfer, privacy exposure to peer when the bank transfer details contain the real name. Though those various drawbacks can be mitigated by using payment methods which carry low chargeback risk, are fast or instant and use account IDs or email instead of real names. Certain payment methods avoid banking system completely like cash-by-mail or trading face to face. + + +###################################################### +## MONERO_SWAP +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP=Monero Swaps +# suppress inspection "UnusedProperty" +tradeApps.overview.MONERO_SWAP=Trade Bitcoin and Monero using an atomic cross chain swap +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.MONERO_SWAP=XMR/BTC +# suppress inspection "UnusedProperty" +tradeApps.overview.security.MONERO_SWAP=Very high security by using adaptor signatures to swap atomically between the Monero and Bitcoin blockchain. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.MONERO_SWAP=Very high on the Monero side due its inherent strong privacy. \ + On the Bitcoin side it is constrained by Bitcoin's privacy limitations. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.MONERO_SWAP=User need to install the Farcaster swap daemon and a Monero and Bitcoin full node. Once installed its very convenient. +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.subHeadline=Atomic cross-chain swap protocol for trading Bitcoin with Monero +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.overview=Based on the Farcaster project (funded by the Monero community) using hashed time lock contracts (HTLC), adaptor signatures and zero-knowledge proof for atomically swapping Bitcoin and Monero.\n\n\ + The user needs to install and run a Bitcoin node, a Monero node and the Farcaster daemon. During the swap, the nodes of both traders need to be online. The extra effort when using that protocol pays off with a very high level of security. \ + Though users should make themselves familiar with the details of that concept and be aware that there are edge case carrying some small risks. +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.release=Monero swaps are expected to be ready for release in Q4/2025. +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.pro=\ + + Very secure\n\ + + Decent privacy. On the Bitcoin side it inherits Bitcoin's privacy properties. On the Monero side it benefits from the high privacy of Monero.\n\ + + Suitable for high value transactions +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.con=\ + - It requires some technical skills and experience to run the required infrastructure\n\ + - Confirmation time is based on the confirmations on both blockchains which will be usually about 20-30 min.\n\ + - Transaction fees on the Bitcoin side could be non-trivial in case of high blockchain congestion (rather rare, though)\n\ + - Both traders need to be online\n\ + - It requires lots of fast disk storage for the nodes diff --git a/shared/domain/src/commonMain/resources/mobile/trade_apps_af_ZA.properties b/shared/domain/src/commonMain/resources/mobile/trade_apps_af_ZA.properties new file mode 100644 index 00000000..2f236171 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/trade_apps_af_ZA.properties @@ -0,0 +1,265 @@ +###################################################### +## Trade protocols +###################################################### +tradeApps.compare=Vergelyk protokolle +tradeApps.bisqMuSig=Bisq MuSig +tradeApps.subMarine=Submarine Swaps +tradeApps.bisqLightning=Bisq Lightning +tradeApps.more=Meer + +tradeApps.comingSoon=Binnekort +tradeApps.select=Kies +tradeApps.release=Vrystelling +tradeApps.security=Sekuriteit +tradeApps.markets=Markte +tradeApps.privacy=Privaatheid +tradeApps.convenience=Geriefde +tradeApps.overview=Oorsig +tradeApps.tradeOffs=Pro/Con + +tradeApps.overview.headline=Vind die beste manier om Bitcoin te handel +tradeApps.overview.subHeadline='n Handelprotokol dien as die fundamentele raamwerk vir die veilige handel van Bitcoin. Elke handelprotokol bied sy eie stel voordele en afwegings wat sekuriteit, privaatheid en gerief insluit.\nBisq bied jou die buigsaamheid om die optimale protokol te kies wat by jou voorkeure pas.\n\nVerken die komende handelprotokolle wat beplan is vir integrasie in Bisq. Tot dusver is Bisq Easy die enigste geïmplementeerde protokol, ontwerp vir nuweling Bitcoin-gebruikers en geskik vir kleiner handelbedrae. Hou 'n oog op vir opdaterings as enige van die komende protokolle jou belangstelling prikkel. + +tradeApps.overview.more=Boonop is daar meer protokolle op die horison, wat vir toekomstige implementering geskeduleer is. + + +###################################################### +## BISQ_EASY +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.BISQ_EASY=Bisq Easy +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.BISQ_EASY=BTC/Fiat +# suppress inspection "UnusedProperty" +tradeApps.overview.BISQ_EASY=Maklik om te gebruik geselskap gebaseerde handel protokol. Sekuriteit is gebaseer op die verkoper se reputasie +# suppress inspection "UnusedProperty" +tradeApps.overview.security.BISQ_EASY=Sekuriteit is gebaseer op verkopers se reputasie. Slegs geskik vir klein bedrae. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.BISQ_EASY=Hang af van die fiat oordragmetode wat gebruik word. Aanlyn fiat oordrag onthul gewoonlik identiteit aan die handel teenparty. Aan die Bitcoin kant is dit beperk deur Bitcoin se privaatheid beperkings en hang dit af van gebruiker gedrag (om te verhoed dat munte van verskeie transaksies saamgevoeg word verhoog privaatheid). Sien Bisq wiki vir meer inligting. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.BISQ_EASY=Baie maklik om te gebruik geselskapinterface. Bitcoin koper hoef nie Bitcoin te hê nie. + +###################################################### +## BISQ_MU_SIG +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG=Bisq MuSig +# suppress inspection "UnusedProperty" +tradeApps.overview.BISQ_MU_SIG=Die Bisq MuSig-protokol vereis slegs een transaksie danksy MuSig, Atomiese Swaps en Taproot. +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.BISQ_MU_SIG=BTC/Fiat +# suppress inspection "UnusedProperty" +tradeApps.overview.security.BISQ_MU_SIG=Sekuriteit is gebaseer op sekuriteitsdeposito's sowel as op addisionele kenmerke in verband met handel limiete. Sien die Bisq wiki vir meer inligting. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.BISQ_MU_SIG=Hang af van die fiat oordragmetode wat gebruik word. Aanlyn fiat oordrag onthul gewoonlik identiteit aan die handel vennoot. Aan die Bitcoin kant is dit beperk deur Bitcoin se privaatheid beperkinge en hang dit af van gebruiker gedrag (om te verhoed dat munte van verskeie transaksies saamgevoeg word, verhoog privaatheid). Sien die Bisq wiki vir meer inligting. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.BISQ_MU_SIG=Die gebruiker moet 'n klein hoeveelheid Bitcoins hê om die sekuriteitsdeposito te vergrendel. Dit kan so vinnig wees soos die blockchain-bevestigingstyd of tot 'n paar dae neem, afhangende van die fiat-betalingsmetode. + +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.subHeadline=Gebaseer op MuSig, Atomiese swaps en Taproot vereis dit slegs een transaksie +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.overview=Konseptueel volg dit die handel protokol wat in Bisq 1 gebruik word, gebaseer op 'n sekuriteitsdeposito en 'n geskille oplossingsproses.\n- Dit verminder die aantal transaksies van 4 na 1.\n- Verbeter privaatheid deur die deposito transaksie soos 'n standaard 'pay-to-pubKey-hash' transaksie te laat lyk.\n- Dit vermy die probleem dat 'n verkoper arbitrage moet open in die geval die koper nie die sekuriteitsdeposito na die handel vrystel nie. Atomiese swaps sal verseker dat die verkoper hul deposito kan terugkry selfs sonder samewerking van die koper.\n- In die geval van 'n nie-responsiewe handel maat, verseker 'n multi-fase uitbetalings transaksie struktuur dat geen arbitrage en terugbetaling deur die DAO vereis word nie.\n- Taproot bied meer buigsaamheid en privaatheid.\n- Leer meer besonderhede by: https://github.com/bisq-network/proposals/issues/456 +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.release=Bisq MuSig word verwag om gereed te wees vir vrystelling in Q2/2025. +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.pro=+ Redelik goeie sekuriteit vir medium waarde handelbedrae\n+ In vergelyking met Bisq Easy is die sekuriteits eienskappe beter en hoër bedrae kan verhandel word. Die hoër bedrae bring handel pryse nader aan marktariewe.\n+ Bestuur om die nalatenskapstelsel van die fiat wêreld te hanteer +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.con=- Beide handelaars moet BTC hê vir die sekuriteitsdeposito\n- Die makers Bisq-knooppunt moet aanlyn wees aangesien die neem-aanbod proses interaktief is\n- Aangesien die fiat-oordrag gedoen word op ou stelsels soos bankoordragte, erf dit al daardie nadele, soos terugbetaling risiko, stadige oordrag, privaatheid blootstelling aan peers wanneer die bankoordrag besonderhede die werklike naam bevat. Alhoewel daardie verskeie nadele verlig kan word deur betalingsmetodes te gebruik wat 'n lae terugbetaling risiko dra, vinnig of onmiddellik is en rekening-ID's of e-pos gebruik in plaas van werklike name. Sekere betalingsmetodes vermy die bankstelsel heeltemal soos kontant per pos of om van aangesig tot aangesig te handel. + + +###################################################### +## SUBMARINE +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE=Submarine Swaps +# suppress inspection "UnusedProperty" +tradeApps.overview.SUBMARINE=Ruil tussen Bitcoin op die Lightning-netwerk na on-chain Bitcoin +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.SUBMARINE=LN-BTC/BTC +# suppress inspection "UnusedProperty" +tradeApps.overview.security.SUBMARINE=Atomiese ruil bied 'n baie hoë vlak van sekuriteit. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.SUBMARINE=Swaps kan moontlik privaatheid verbeter deur spore vir ketenanalisering te breek. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.SUBMARINE=Die gebruiker moet 'n Lightning beursie installeer en konfigureer. Sodra dit geïnstalleer is, is dit baie gerieflik om te gebruik. +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.subHeadline=Submarine swaps laat toe om off-chain en on-chain Bitcoin veilig uit te ruil sonder teenparty risiko +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.overview=Die ruil word uitgevoer deur die geheim van 'n hash tyd-geslote kontrak (HTLC) in die Lightning Network te gebruik vir 'n kontrak in 'n Bitcoin transaksie. Deur die Lightning betaling te eis, word die geheim vir die eis van die on-chain Bitcoin aan die sender van die Lightning betaling onthul. Dit verseker dat een betaling die ander betaling ontsluit, wat 'n ruil sonder teenparty risiko moontlik maak. +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.release=Submarine Swaps word verwag om gereed te wees vir vrystelling in Q3/2025. +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.pro=+ Baie hoë sekuriteit vir groot handelbedrae\n+ Om op-chain Bitcoin na Lightning te ruil kan moontlik privaatheid verbeter.\n+ Uitruil kan gedoen word deur handelsbots, wat vinnige en geoutomatiseerde handel moontlik maak. +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.con=- Mynfooi vir die Bitcoin transaksie kan klein handel onekonomies maak\n- Handelaars moet sorg vir die tydsbeperkings van die transaksies. In die geval van blockchain oorlaai en vertraagde bevestiging kan dit 'n sekuriteitsrisiko inhou. + + +###################################################### +## LIQUID_MU_SIG +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG=Liquid MuSig +# suppress inspection "UnusedProperty" +tradeApps.overview.LIQUID_MU_SIG=Die Bisq MuSig-protokol na die Liquid-kantlyn oorgedra +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.LIQUID_MU_SIG=L-BTC/Fiat +# suppress inspection "UnusedProperty" +tradeApps.overview.security.LIQUID_MU_SIG=Sekuriteit is gebaseer op sekuriteitsdeposits sowel as op addisionele kenmerke in verband met handelsgrense. Sien die Bisq wiki vir meer inligting. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.LIQUID_MU_SIG=Hang af van die fiat oordragmetode wat gebruik word. Aanlyn fiat oordrag onthul gewoonlik identiteit aan die handel teenparty. Aan die Liquid kant het dit beter privaatheid as hoofnet Bitcoin weens vertroulike transaksies. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.LIQUID_MU_SIG=Die gebruiker moet 'n klein hoeveelheid L-BTC hê om die sekuriteitsdeposito te vergrendel. Blockchain-bevestiging op Liquid is baie vinnig (ongeveer 1 minuut). Tyd vir handel hang af van die betalingsmetode wat gebruik word en die handelaar se reaksietyd. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.subHeadline=Gebaseer op 'n sekuriteitsdeposito, 'n MuSig transaksie en 'n veellaags geskilleoplossingsproses +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.overview=Konseptueel volg dit die Bisq MuSig-protokol (op die Bitcoin hoofnet). Liquid het nie dieselfde sensuur eienskappe as Bitcoin nie, alhoewel dit 'n paar voordele bo Bitcoin hoofnet bied:\n- Liquid het 'n baie kort blokbevestigingstyd van ongeveer 1 minuut.\n- Transaksiefooie is baie laag.\n- Privaatheid is beter weens vertroulike transaksies wat die bedrag wat gestuur word, versteek. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.release=Liquid MuSig word verwag om gereed te wees vir vrystelling in Q3/2025. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.pro=+ Redelike goeie sekuriteit vir medium waarde handelbedrae\n+ In vergelyking met Bisq MuSig is daar laer transaksie fooie, vinniger bevestiging en beter privaatheid.\n+ Bestuur om met die nalatenskapstelsel van die Fiat-wêreld te werk +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.con=- Beide handelaars moet L-BTC hê vir die sekuriteitsdeposito\n- Liquid is 'n gefedereerde syketting en het nie die hoë vlak van sensuurweerstand soos hoofnet Bitcoin nie.\n- Peg-in van hoofnet Bitcoin na Liquid Bitcoin is vertrouensloos, alhoewel dit vir peg-uit L-BTC na BTC die goedkeuring van die federasie vereis.\n- Die makers Bisq-knoop moet aanlyn wees aangesien die neem-aanbod proses interaktief is\n- Aangesien die Fiat-oordrag op erfenisstelsels soos bankoordragte gedoen word, erf dit al daardie nadele, soos terugbetaling risiko, stadige oordrag, privaatheid blootstelling aan die peer wanneer die bankoordrag besonderhede die werklike naam bevat. Alhoewel daardie verskeie nadele verlig kan word deur betalingsmetodes te gebruik wat 'n lae terugbetaling risiko dra, vinnig of onmiddellik is en rekening-ID's of e-pos in plaas van werklike name gebruik. Sekere betalingsmetodes vermy die bankstelsel heeltemal soos kontant-per-pos of handel van aangesig tot aangesig. + + +###################################################### +## BISQ_LIGHTNING +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING=Bisq Lightning +# suppress inspection "UnusedProperty" +tradeApps.overview.BISQ_LIGHTNING=Maak handel in Bitcoin op die Lightning-netwerk na Fiat deur Submarine swaps en Liquid MuSig-protokol te kombineer +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.BISQ_LIGHTNING=LN-BTC/Fiat +# suppress inspection "UnusedProperty" +tradeApps.overview.security.BISQ_LIGHTNING=Sekuriteit is gebaseer op sekuriteitsdeposito's sowel as op bykomende kenmerke in verband met handelsgrense. Sien die Bisq wiki vir meer inligting. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.BISQ_LIGHTNING=Hang af van die Fiat oordragmetode wat gebruik word. Aanlyn Fiat oordrag onthul gewoonlik identiteit aan die handel maat. Aan die Lightning kant het dit beter privaatheid as op-ketting Bitcoin aangesien dit nie spore op die Blockchain agterlaat nie. Aan die Liquid kant het dit beter privaatheid as hoofnet Bitcoin weens vertroulike transaksies. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.BISQ_LIGHTNING=Die gebruiker moet 'n klein hoeveelheid Bitcoin op Lightning hê vir die sluiting van 'n sekuriteitsdeposito. Die Submarine swaps en die handelstransaksies profiteer van die vinnige blockchain-bevestigingstyd van ongeveer 1 minuut. Tyd vir handel hang af van die betaalmetode wat gebruik word en die handelaar se reaksietyd. +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.subHeadline=Kombineer Submarine swaps van Lightning na Liquid en die Liquid MuSig-protokol +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.overview=Dit stel handelaars in staat om hul off-chain Bitcoin op Lightning te gebruik vir handel met Fiat gebaseer op die Liquid MuSig-protokol. Die protokol is 'n ketting van 3 handel en 2 verskillende protokolle:\n- Eerstens ruil die handelaars hul Lightning Bitcoin via 'n omgekeerde Submarine swap na L-BTC (Submarine swap tussen Lightning en Liquid). Hierdie ruil gebeur met enige likiditeitsverskaffer, nie met die handelsvennoot nie.\n- Dan vind die handel plaas op Liquid met behulp van die MuSig-protokol.\n- Sodra die handel voltooi is, word die L-BTC weer na Lightning teruggeruil deur 'n Submarine swap (weer met 'n ander handelaar/likiditeitsverskaffer). +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.release=Bisq Lightning word verwag om gereed te wees vir vrystelling in Q3/2025. +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.pro=+ Redelike goeie sekuriteit vir medium waarde handelbedrae\n+ In vergelyking met Bisq MuSig is daar laer transaksie fooie, vinniger bevestiging en beter privaatheid.\n+ Bestuur om te werk met die nalatenskapstelsel van die Fiat-wêreld +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.con=- Beide handelaars moet BTC op Lightning hê vir die sekuriteitsdeposito\n- Die betrokkenheid van 2 addisionele handelaars vir die Submarine swaps voeg kompleksiteit en potensiële (eerder klein) risiko's by.\n- Liquid is 'n gefedereerde syketting en het nie die hoë vlak van sensuurweerstand soos hoofnet Bitcoin nie.\n- Peg-in van hoofnet Bitcoin na Liquid Bitcoin is vertrouensloos, alhoewel vir peg-uit van L-BTC na BTC dit die goedkeuring van die federasie vereis.\n- Die makers Bisq-knoop moet aanlyn wees aangesien die neem-aanbod proses interaktief is\n- Aangesien die Fiat-oordrag gedoen word op erflike stelsels soos bankoordragte, erf dit al daardie nadele, soos terugbetaling risiko, stadige oordrag, privaatheid blootstelling aan peers wanneer die bankoordrag besonderhede die werklike naam bevat. Alhoewel daardie verskillende nadele gemitigeer kan word deur betaalmetodes te gebruik wat lae terugbetaling risiko dra, vinnig of onmiddellik is en rekening-ID's of e-pos in plaas van werklike name gebruik. Sekere betaalmetodes vermy die bankstelsel heeltemal soos kontant per pos of handel van aangesig tot aangesig. + + +###################################################### +## LIQUID_SWAP +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP=Liquid Assets +# suppress inspection "UnusedProperty" +tradeApps.overview.LIQUID_SWAP=Handel enige Liquid-gebaseerde bates soos USDT en BTC-L met 'n atomiese ruil op die Liquid-netwerk +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.LIQUID_SWAP=Liquid Assets +# suppress inspection "UnusedProperty" +tradeApps.overview.security.LIQUID_SWAP=Uiteindelike sekuriteit deur slim kontrakte op dieselfde blockchain te gebruik. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.LIQUID_SWAP=Liquid ondersteun vertroulike transaksies, wat nie die bedrag op die blockchain openbaar nie. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.LIQUID_SWAP=Die gebruiker moet die Elements beursie vir Liquid installeer en konfigureer. Sodra dit geïnstalleer is, is dit baie gerieflik om te gebruik. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.subHeadline=Atomiese swap-gebaseerde handelprotokol op die Liquid-syketting vir die handel van enige Liquid-bates +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.overview=Om Liquid swaps te gebruik, moet die gebruiker die Elements beursie installeer en uitvoer en dit konfigureer, sodat dit vanaf die Bisq toepassing toeganklik kan wees.\n\nDie mees gebruikte bate op Liquid is USDT (Tether), 'n stabiele munt wat aan die USD gekoppel is. Terwyl dit nie vergelyk kan word met iets soos Bitcoin nie, het dit baie voordele bo Fiat USD wat gewoonlik bankoordragte behels met al die probleme en ongerief van die ou Fiat-stelsel.\n\nL-BTC kan aan die ander kant van die handel gebruik word, wat 'n plaasvervanger van Bitcoin op die Liquid-ketting is. Om Bitcoin na L-BTC om te skakel, moet 'n gebruiker Bitcoin na 'n peg-in adres stuur en sal na 102 bevestigings L-BTC daarvoor ontvang. Om terug te gaan van L-BTC na Bitcoin (peg-out) werk soortgelyk, maar vereis autorisasie van die Liquid federasie, wat 'n groep maatskappye en individue in die Bitcoin-ruimte is. Dit is dus nie 'n heeltemal vertrouenslose proses nie.\n\nMens moet vermy om Liquid bates te vergelyk met die eienskappe van Bitcoin. Dit teiken ander gebruiksgevalle en kan nie die hoë vlak van desentralisasie en sensuurweerstand van Bitcoin bereik nie. Dit kan eerder gesien word as 'n alternatief vir tradisionele finansiële produkte. Deur blockchain-tegnologie te gebruik, vermy dit klassieke intermediêre, verbeter sekuriteit en privaatheid en bied 'n beter gebruikerservaring. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.release=Liquid swaps is steeds in ontwikkeling. Dit word verwag om vrygestel te word in Q3/2025. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.pro=+ Vertroulike transaksies bied goeie privaatheid\n+ Vinige bevestigingstyd van ongeveer 1 minuut\n+ Lae transaksiefooie\n+ Geschik vir hoë waarde transaksies +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.con=- Vereis dat die Elements beursie en blockchain loop\n- Beide handelaars moet aanlyn wees\n- Peg-uit van L-BTC is nie vertrouensloos nie + + +###################################################### +## BSQ_SWAP +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP=BSQ Swaps +# suppress inspection "UnusedProperty" +tradeApps.overview.BSQ_SWAP=Handel Bitcoin en die BSQ-token via atomiese swaps, onmiddellik en veilig +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.BSQ_SWAP=BSQ/BTC +# suppress inspection "UnusedProperty" +tradeApps.overview.security.BSQ_SWAP=Uiteindelike sekuriteit deur gebruik te maak van slim kontrak op dieselfde blockchain. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.BSQ_SWAP=Beperk deur Bitcoin se privaatheidsbeperkings en hang af van gebruikersgedrag (om die munt samesmelting van verskeie transaksies te vermy, verhoog privaatheid). BSQ het moontlik minder privaatheid weens die kleiner anonimiteitstel. Sien Bisq wiki vir meer inligting. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.BSQ_SWAP=Die gebruiker moet die BSQ beursie installeer en konfigureer. Sodra dit geïnstalleer is, is dit baie gerieflik om te gebruik. +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.subHeadline=Atomiese ruil tussen BSQ (gekleure munt op Bitcoin) en Bitcoin +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.overview=Dieselfde model as wat in Bisq 1 gebruik is. Aangesien dit op een enkele atomiese transaksie gebaseer is, is dit baie veilig.\nDit sal vereis dat die Bisq 1-knoop met die DAO API geaktiveer word. +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.release=BSQ Swaps word verwag om gereed te wees vir vrystelling in Q4/2025. +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.pro=+ Baie veilig\n+ Relatief vinnig, alhoewel die handel slegs na die blockchain-bevestiging as voltooi beskou word\n+ Geen makerfooi transaksie en geen sekuriteitsdeposito vereis +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.con=- Moet Bisq 1 vir die BSQ/DAO data loop\n- Beperk tot BSQ/BTC mark + + +###################################################### +## LIGHTNING_ESCROW +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW=Lightning Escrow +# suppress inspection "UnusedProperty" +tradeApps.overview.LIGHTNING_ESCROW=Escrow-gebaseerde handel protokol op die Lightning-netwerk met behulp van multi-party berekening kriptografie +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.LIGHTNING_ESCROW=LN-BTC/Fiat +# suppress inspection "UnusedProperty" +tradeApps.overview.security.LIGHTNING_ESCROW=Sekuriteit is gebaseer op sekuriteitsdeposito's sowel as op addisionele kenmerke in verband met handel limiete. Die protokol gebruik 'n paar nuwerwets kriptografiese tegnieke wat nie in die stryd getoets en geouditeer is nie. Sien Bisq wiki vir meer inligting. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.LIGHTNING_ESCROW=Hang af van die Fiat oordragmetode wat gebruik word. Aanlyn Fiat oordrag onthul gewoonlik identiteit aan die handel teenparty. Aan die Bitcoin kant word dit beperk deur Bitcoin se privaatheidsbeperkings en hang dit af van gebruiker gedrag (om te verhoed dat munte van verskeie transaksies saamgevoeg word, verhoog privaatheid). Sien Bisq wiki vir meer inligting. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.LIGHTNING_ESCROW=Gebruiker moet 'n klein hoeveelheid Bitcoin hê om die sekuriteitsdeposito te vergrendel. +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.subHeadline=Drieparty-protokol vir die handel van Fiat met Bitcoin op die Lightning-netwerk. +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.overview=Dit is gebaseer op verskeie Lightning betalings en verdeel die geheime vir die HTLC's om 'n veilige opstelling te konstrueer waar die 3de party waarborg dat die handelaars regverdig optree. Dit gebruik verwarre kringe om veilige multi-party berekening te bereik.\n\nDie gebruiker moet 'n Lightning node bestuur wat gekonfigureer is met die Bisq aansoek.\n\nKonseptueel is dit soortgelyk aan die Bisq MuSig protokol, maar in plaas van die MuSig transaksie gebruik dit hierdie 3-party opstelling en in plaas van on-chain Bitcoin gebruik dit Bitcoin op die Lightning Netwerk. +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.release=Lightning Escrow word verwag om gereed te wees vir vrystelling in Q4/2025. +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.pro=+ In vergelyking met Bisq Easy is die sekuriteits eienskappe beter en hoër bedrae kan verhandel word. Die hoër bedrae bring handelspryse nader aan marktariewe.\n+ Die Bitcoin oordrag is byna onmiddellik\n+ Baie lae transaksie (routering) fooie +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.con=- Moet 'n Lightning node bestuur\n- Beide handelaars moet BTC (op Lightning) hê vir die sekuriteitsdeposito.\n- Die makers Bisq node moet aanlyn wees aangesien die neem-aanbod proses interaktief is.\n- Aangesien die Fiat oordrag gedoen word op erfenisstelsels soos bankoordragte, erf dit al daardie nadele, soos terugbetaling risiko, stadige oordrag, privaatheid blootstelling aan peers wanneer die bankoordrag besonderhede die werklike naam bevat. Alhoewel daardie verskillende nadele gemitig kan word deur betalingsmetodes te gebruik wat 'n lae terugbetaling risiko dra, vinnig of onmiddellik is en rekening-ID's of e-pos in plaas van werklike name gebruik. Sekere betalingsmetodes vermy die bankstelsel heeltemal soos kontant per pos of handel van aangesig tot aangesig. + + +###################################################### +## MONERO_SWAP +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP=Monero Swaps +# suppress inspection "UnusedProperty" +tradeApps.overview.MONERO_SWAP=Handel Bitcoin en Monero met 'n atomiese kruis ketting swap +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.MONERO_SWAP=XMR/BTC +# suppress inspection "UnusedProperty" +tradeApps.overview.security.MONERO_SWAP=Baie hoë sekuriteit deur die gebruik van aanpasser handtekeninge om atomies tussen die Monero en Bitcoin blockchain te ruil. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.MONERO_SWAP=Baie hoog aan die Monero-kant weens sy inherente sterk privaatheid. Aan die Bitcoin-kant word dit beperk deur Bitcoin se privaatheidsbeperkings. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.MONERO_SWAP=Gebruiker moet die Farcaster swap daemon en 'n Monero en Bitcoin volle node installeer. Sodra dit geïnstalleer is, is dit baie gerieflik. +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.subHeadline=Atomiese kruis-ketting ruilprotokol vir die handel van Bitcoin met Monero +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.overview=Gebaseer op die Farcaster projek (gefinansier deur die Monero gemeenskap) wat gehashte tydsluiting kontrakte (HTLC), adapter handtekeninge en nul-kennis bewys gebruik om Bitcoin en Monero atomies te ruil.\n\nDie gebruiker moet 'n Bitcoin node, 'n Monero node en die Farcaster daemon installeer en uitvoer. Tydens die ruil moet die nodes van albei handelaars aanlyn wees. Die ekstra moeite wanneer daardie protokol gebruik word, betaal af met 'n baie hoë vlak van sekuriteit. Alhoewel gebruikers hulself vertroud moet maak met die besonderhede van daardie konsep en bewus moet wees dat daar randgevalle is wat 'n paar klein risiko's inhou. +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.release=Monero swaps word verwag om gereed te wees vir vrystelling in Q4/2025. +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.pro=+ Baie veilig\n+ Redelike privaatheid. Aan die Bitcoin-kant erf dit Bitcoin se privaatheidseienskappe. Aan die Monero-kant voordeel dit van die hoë privaatheid van Monero.\n+ Geschik vir hoë waarde transaksies +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.con=- Dit vereis 'n paar tegniese vaardighede en ervaring om die vereiste infrastruktuur te bestuur\n- Bevestigingstyd is gebaseer op die bevestigings op beide blokkettings wat gewoonlik ongeveer 20-30 min. sal wees.\n- Transaksiefooie aan die Bitcoin-kant kan nie-triviaal wees in die geval van hoë blokkettingoorlading (redelik selde, egter)\n- Beide handelaars moet aanlyn wees\n- Dit vereis baie vinnige skyfberging vir die nodes diff --git a/shared/domain/src/commonMain/resources/mobile/trade_apps_cs.properties b/shared/domain/src/commonMain/resources/mobile/trade_apps_cs.properties new file mode 100644 index 00000000..a2ac6988 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/trade_apps_cs.properties @@ -0,0 +1,265 @@ +###################################################### +## Trade protocols +###################################################### +tradeApps.compare=Porovnat protokoly +tradeApps.bisqMuSig=Bisq MuSig +tradeApps.subMarine=Submarine Swaps +tradeApps.bisqLightning=Bisq Lightning +tradeApps.more=Více + +tradeApps.comingSoon=Brzy k dispozici +tradeApps.select=Vybrat +tradeApps.release=Verze +tradeApps.security=Bezpečnost +tradeApps.markets=Trhy +tradeApps.privacy=Soukromí +tradeApps.convenience=Komfort +tradeApps.overview=Přehled +tradeApps.tradeOffs=Výhody/Nevýhody + +tradeApps.overview.headline=Zjistěte nejlepší způsob, jak obchodovat s Bitcoinem +tradeApps.overview.subHeadline=Obchodní protokol slouží jako základní rámec pro bezpečné obchodování s Bitcoiny. Každý obchodní protokol přináší svůj vlastní soubor výhod a kompromisů zahrnujících bezpečnost, soukromí a pohodlí.\nBisq vám nabízí flexibilitu vybrat si optimální protokol, který bude odpovídat vašim preferencím.\n\nObjevte nadcházející obchodní protokoly plánované pro integraci do Bisqu. V současné době je Bisq Easy jediný implementovaný protokol, navržený pro začátečníky v obchodování s Bitcoiny a vhodný pro menší objemy obchodů. Sledujte aktualizace, pokud vás některý z nadcházejících protokolů zaujme. + +tradeApps.overview.more=Kromě toho jsou na obzoru další protokoly, které mají být implementovány v budoucnu. + + +###################################################### +## BISQ_EASY +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.BISQ_EASY=Bisq Easy +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.BISQ_EASY=BTC/Fiat +# suppress inspection "UnusedProperty" +tradeApps.overview.BISQ_EASY=Snadno použitelný obchodní protokol založený na chatu. Bezpečnost je založena na pověsti prodejce +# suppress inspection "UnusedProperty" +tradeApps.overview.security.BISQ_EASY=Bezpečnost je založena na pověsti prodejce. Hodí se pouze pro malé částky. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.BISQ_EASY=Závisí na použité metodě převodu fiat. Online převod fiat obvykle odhalí identitu obchodníka. Na straně Bitcoinu je omezen nárokami na soukromí Bitcoinu a závisí na chování uživatele (vyhýbání se slučování mincí z více obchodů zvyšuje soukromí). Viz Bisq wiki pro více informací. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.BISQ_EASY=Velmi snadné použití prostřednictvím chatového rozhraní. Kupující Bitcoin nemusí mít Bitcoin. + +###################################################### +## BISQ_MU_SIG +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG=Bisq MuSig +# suppress inspection "UnusedProperty" +tradeApps.overview.BISQ_MU_SIG=Protokol Bisq MuSig vyžaduje pouze jednu transakci díky MuSig, Atomic Swaps a Taproot. +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.BISQ_MU_SIG=BTC/Fiat +# suppress inspection "UnusedProperty" +tradeApps.overview.security.BISQ_MU_SIG=Bezpečnost je založena na zálohách na bezpečnost a také na dalších funkcích vztahujících se k omezením obchodu. Pro více informací navštivte Bisq wiki. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.BISQ_MU_SIG=Závisí na použité metodě Fiat přenosu. Online Fiat přenos obvykle odhaluje totožnost obchodního partnera. Na straně Bitcoinu je omezeno nedostatky soukromí Bitcoinu a závisí na chování uživatele (vyhýbání se slučování mincí z více obchodů zvyšuje soukromí). Pro více informací navštivte Bisq wiki. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.BISQ_MU_SIG=Uživatel musí mít malé množství Bitcoinů jako záruku za bezpečnostní vklad. Může být tak rychlý jako potvrzení blockchainu nebo až několik dní v závislosti na metodě platby fiat. + +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.subHeadline=Na základě MuSig, Atomic swaps a Taproot vyžaduje pouze jednu transakci +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.overview=Konceptuálně následuje obchodní protokol používaný v Bisq 1, založený na bezpečnostní záloze a procesu řešení sporů.\n- Snižuje počet transakcí z 4 na 1.\n- Zlepšuje soukromí tím, že transakce se zálohou vypadá jako standardní transakce 'pay-to-pubKey-hash'.\n- Vyhýbá se problému, kdy musí prodávající otevřít arbitráž v případě, že kupující neuvolní bezpečnostní zálohu po obchodě. Atomic swaps zajistí, že prodávající si může svou zálohu vzít zpět i bez spolupráce kupujícího.\n- V případě neodpovídajícího obchodního partnera struktura víceúrovňových transakcí zajišťuje, že není třeba arbitráž ani náhrada škody ze strany DAO.\n- Taproot poskytuje větší flexibilitu a soukromí.\n- Více informací naleznete na: https://github.com/bisq-network/proposals/issues/456 +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.release=Bisq MuSig se očekává, že bude připraven k vydání ve čtvrtém čtvrtletí roku 2024. +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.pro=+ Rozumná bezpečnost pro střední hodnoty obchodního objemu\n+ Ve srovnání s Bisq Easy jsou bezpečnostní vlastnosti lepší a lze obchodovat větší částky. Vyšší objemy přiblíží ceny obchodů tržním sazbám.\n+ Zvládá pracovat s dědictvím systému Fiatového světa +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.con=- Oba obchodníci musí mít BTC pro záruku bezpečnostního vkladu\n- Výrobce Bisq musí být online, protože proces nabídky je interaktivní\n- Protože převod fiat se provádí v systémech dědictví, jako jsou bankovní převody, dědí všechny tyto nedostatky, jako je riziko vrácení peněz, pomalý převod, odhalení soukromí protistrany, když bankovní údaje o převodu obsahují skutečné jméno. I když tyto různé nedostatky lze zmírnit použitím platebních metod s nízkým rizikem vrácení peněz, rychlými nebo okamžitými a použitím identifikačních čísel účtu nebo e-mailu místo skutečných jmen. Některé platební metody se vyhýbají bankovnímu systému úplně, jako je hotovost poštou nebo obchodování tváří v tvář. + + +###################################################### +## SUBMARINE +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE=Submarine Swaps +# suppress inspection "UnusedProperty" +tradeApps.overview.SUBMARINE=Výměna mezi Bitcoiny na síti Lightning a Bitcoiny na blockchainu +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.SUBMARINE=LN-BTC/BTC +# suppress inspection "UnusedProperty" +tradeApps.overview.security.SUBMARINE=Atomická výměna poskytuje velmi vysokou úroveň bezpečnosti. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.SUBMARINE=Výměny mohou potenciálně zlepšit soukromí tím, že naruší stopy pro analýzu blockchainu. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.SUBMARINE=Uživatel musí nainstalovat a nakonfigurovat peněženku Lightning. Jakmile je nainstalována, je velmi pohodlné ji používat. +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.subHeadline=Potápěčské výměny umožňují bezpečnou výměnu mimo řetězec a na blockchainu Bitcoin bez rizika protistrany +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.overview=Výměna probíhá použitím tajemství smlouvy uzavřené časovým zámkem (HTLC) v síti Lightning pro smlouvu v Bitcoinové transakci. Tím, že se uplatní platba prostřednictvím sítě Lightning, je odesílateli této platby odhaleno tajemství pro uplatnění Bitcoinů na blockchainu. To zajistí, že jedna platba odemkne druhou platbu, což umožňuje výměnu bez rizika protistrany. +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.release=Submarine swaps se očekává, že budou připraveny k vydání ve druhém čtvrtletí roku 2025. +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.pro=+ Velmi vysoká úroveň bezpečnosti pro velké obchodní objemy\n+ Výměnou Bitcoinů na blockchainu za Lightning může být potenciálně zlepšeno soukromí.\n+ Výměnu můžou provádět obchodníci s boty, což umožňuje rychlé a automatizované obchody. +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.con=- Těžební poplatky za Bitcoinovou transakci mohou malé obchody stěží ekonomicky uskutečnitelné\n- Obchodníci musí dbát na časové limity transakcí. V případě zácpy blockchainu a zpožděných potvrzení může to představovat bezpečnostní riziko. + + +###################################################### +## LIQUID_MU_SIG +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG=Liquid MuSig +# suppress inspection "UnusedProperty" +tradeApps.overview.LIQUID_MU_SIG=Protokol Bisq MuSig přenesený na vedlejší řetězec Liquid +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.LIQUID_MU_SIG=L-BTC/Fiat +# suppress inspection "UnusedProperty" +tradeApps.overview.security.LIQUID_MU_SIG=Bezpečnost je založena na zálohách na bezpečnost a také na dalších funkcích vztahujících se k omezením obchodu. Pro více informací navštivte Bisq wiki. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.LIQUID_MU_SIG=Závisí na použité metodě fiat přenosu. Online Fiat přenos obvykle odhaluje totožnost obchodního partnera. Na Liquid side je lepší ochrana soukromí než na hlavní síti Bitcoin díky důvěrným transakcím. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.LIQUID_MU_SIG=Uživatel potřebuje malé množství L-BTC pro uzamčení zálohy na bezpečnost. Potvrzení v blockchainu na Liquid je velmi rychlé (přibližně 1 minuta). Doba obchodu závisí na použité platební metodě a času odezvy obchodníka. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.subHeadline=Založeno na bezpečnostní záloze, transakci MuSig a víceúrovňovém procesu řešení sporů +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.overview=Konceptuálně následuje protokol Bisq MuSig (na Bitcoin mainnetu). Liquid nemá stejné vlastnosti cenzury jako Bitcoin, ale poskytuje několik výhod oproti Bitcoin mainnetu:\n- Liquid má velmi krátkou dobu potvrzení bloku asi 1 minutu.\n- Poplatky za transakce jsou velmi nízké.\n- Soukromí je lepší díky důvěrným transakcím, které skrývají zasílanou částku. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.release=Liquid MuSig je očekáván k vydání ve 2. čtvrtletí 2025. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.pro=+ Rozumná bezpečnost pro obchodní částky střední hodnoty\n+ Ve srovnání s Bisq MuSig jsou nižší poplatky za transakce, rychlejší potvrzení a lepší soukromí.\n+ Dokáže se vypořádat s legacy systémem fiat světa +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.con=- Obě strany obchodu potřebují mít L-BTC pro zálohu na bezpečnost\n- Liquid je federovaný side chain a nemá stejnou úroveň odolnosti vůči cenzuře jako hlavní síť Bitcoin.\n- Peg-in z hlavní sítě Bitcoin na Liquid Bitcoin je důvěryhodné, ale pro peg-out L-BTC na BTC je vyžadována autorizace federace.\n- Node tvůrce v Bisq musí být online, protože proces přijetí nabídky je interaktivní.\n- Jelikož se Fiatový přenos provádí na systémech dědictví, jako jsou bankovní převody, zdědí všechny tyto nedostatky, jako je riziko storno, pomalý přenos, odhalení soukromí partnerovi, když bankovní údaje obsahují skutečné jméno. Tyto nedostatky lze však zmírnit použitím platebních metod s nízkým rizikem storna, které jsou rychlé nebo okamžité a používají ID účtu nebo e-mail místo skutečných jmen. Některé platební metody zcela obejdou bankovní systém, jako jsou platby hotově poštou nebo osobní obchody. + + +###################################################### +## BISQ_LIGHTNING +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING=Bisq Lightning +# suppress inspection "UnusedProperty" +tradeApps.overview.BISQ_LIGHTNING=Umožňuje obchodování Bitcoinů na Lightning Network za Fiat kombinováním Submarine swapů a protokolu Liquid MuSig +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.BISQ_LIGHTNING=LN-BTC/Fiat +# suppress inspection "UnusedProperty" +tradeApps.overview.security.BISQ_LIGHTNING=Bezpečnost je založena na zálohách na bezpečnost a také na dalších funkcích vztahujících se k omezením obchodu. Pro více informací navštivte Bisq wiki. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.BISQ_LIGHTNING=Závisí na použité metodě Fiat přenosu. Online Fiat přenos obvykle odhaluje totožnost obchodního partnera. Na straně Lightning má lepší ochranu soukromí než na blockchainu Bitcoinu, protože nezanechává stopy na blockchainu. Na straně Liquid má lepší ochranu soukromí než hlavní síť Bitcoin díky důvěrným transakcím. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.BISQ_LIGHTNING=Uživatel musí mít malé množství Bitcoinů na Lightning pro zajištění bezpečnostního depozitu. Submarine swapy a obchodní transakce těží z rychlého potvrzení blockchainu, které trvá přibližně 1 minutu. Doba trvání obchodu závisí na použité metodě platby a čase reakce obchodníka. +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.subHeadline=Kombinuje Submarine swapy z Lightning na Liquid a protokol Liquid MuSig +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.overview=Umožňuje obchodníkům využít své off-chain Bitcoiny na Lightning pro obchodování s Fiat na základě protokolu Liquid MuSig. Protokol je řetěz 3 obchodů a 2 různých protokolů:\n- Nejprve obchodníci vymění své Lightning Bitcoiny prostřednictvím reverzního Submarine swapu na L-BTC (Submarine swap mezi Lightning a Liquid). Tento swap probíhá s jakýmkoli poskytovatelem likvidity, ne s obchodním partnerem.\n- Poté probíhá obchod na Liquid s použitím protokolu MuSig.\n- Jakmile je obchod dokončen, L-BTC se zpět vymění na Lightning prostřednictvím Submarine swapu (opět s jiným obchodníkem/poskytovatelem likvidity). +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.release=Bisq Lightning se plánuje vydat v 2. čtvrtletí 2025. +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.pro=+ Rozumně dobrá bezpečnost pro středně velké obchodní částky\n+ Ve srovnání s Bisq MuSig jsou nižší transakční poplatky, rychlejší potvrzení a lepší soukromí.\n+ Dokáže se vyrovnat s tradičním systémem Fiat světa +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.con=- Obě strany obchodu potřebují mít BTC na síti Lightning pro zálohu na bezpečnost\n- Zapojení 2 dalších obchodníků do Submarine swapů přidává složitost a potenciální (spíše malá) rizika.\n- Liquid je federovaný side chain a nemá stejnou úroveň odolnosti vůči cenzuře jako hlavní síť Bitcoin.\n- Peg-in z hlavní sítě Bitcoin na Liquid Bitcoin je důvěryhodné, ale pro peg-out L-BTC na BTC je vyžadována autorizace federace.\n- Node tvůrce v Bisq musí být online, protože proces přijetí nabídky je interaktivní.\n- Jelikož se Fiatový přenos provádí na systémech dědictví, jako jsou bankovní převody, zdědí všechny tyto nedostatky, jako je riziko storno, pomalý přenos, odhalení soukromí partnerovi, když bankovní údaje obsahují skutečné jméno. Tyto nedostatky lze však zmírnit použitím platebních metod s nízkým rizikem storna, které jsou rychlé nebo okamžité a používají ID účtu nebo e-mail místo skutečných jmen. Některé platební metody zcela obejdou bankovní systém, jako jsou platby hotově poštou nebo osobní obchody. + + +###################################################### +## LIQUID_SWAP +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP=Liquid Swaps +# suppress inspection "UnusedProperty" +tradeApps.overview.LIQUID_SWAP=Obchodování s jakýmkoli majetkem na základě Liquid, jako jsou USDT a BTC-L, pomocí atomické výměny na síti Liquid +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.LIQUID_SWAP=Liquid Assets +# suppress inspection "UnusedProperty" +tradeApps.overview.security.LIQUID_SWAP=Nejvyšší bezpečnost díky použití chytrých smluv na stejném blockchainu. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.LIQUID_SWAP=Liquid podporuje důvěrné transakce, takže neprozrazuje částku na blockchainu. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.LIQUID_SWAP=Uživatel musí nainstalovat a nakonfigurovat Elements peněženku pro Liquid. Jakmile je nainstalována, je velmi pohodlné ji používat. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.subHeadline=Obchodní protokol založený na atomické výměně na síti Liquid pro obchodování s jakýmkoli majetkem na síti Liquid +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.overview=K použití Liquid výměn musí uživatel nainstalovat a spustit Elements peněženku a nakonfigurovat ji tak, aby byla dostupná z aplikace Bisq.\n\nNejvíce používaným majetkem na Liquid je USDT (Tether), stabilní mince navázaná na USD. I když to není srovnatelné s něčím jako Bitcoin, má mnoho výhod oproti Fiat USD, což obvykle zahrnuje bankovní převody s všemi problémy a nepohodlí dědictví Fiat systému.\n\nNa druhém konci obchodu může být použito L-BTC, což je náhrada za Bitcoin na Liquid blockchainu. Pro převod Bitcoinu na L-BTC je třeba odeslat Bitcoin na peg-in adresu a po 102 potvrzeních obdržíte L-BTC. Zpětný převod z L-BTC na Bitcoin (peg-out) funguje podobně, ale vyžaduje autorizaci od federace Liquid, což je skupina společností a jednotlivců v oblasti Bitcoinu. Proto to není zcela důvěryhodný proces.\n\nNemělo by se snažit srovnávat majetek na Liquid s vlastnostmi Bitcoinu. Zaměřuje se na jiné použití a nemůže splnit vysokou úroveň decentralizace a odolnosti proti cenzuře Bitcoinu. Může být spíše vnímán jako alternativa k tradičním finančním produktům. Používáním blockchain technologie se vyhne klasickým prostředníkům, zlepšuje bezpečnost a ochranu soukromí a poskytuje lepší uživatelskou zkušenost. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.release=Liquid swaps jsou stále ve vývoji. Očekává se, že budou vydány v 2. čtvrtletí 2025. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.pro=+ Důvěrné transakce poskytují dobré soukromí\n+ Rychlý čas potvrzení přibližně 1 minuta\n+ Nízké transakční poplatky\n+ Vhodné pro obchody s vysokou hodnotou +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.con=- Vyžaduje běh Elements peněženky a blockchainu\n- Obě strany obchodu musí být online\n- Peg-out z L-BTC není důvěryhodný + + +###################################################### +## BSQ_SWAP +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP=BSQ Swaps +# suppress inspection "UnusedProperty" +tradeApps.overview.BSQ_SWAP=Obchodování s Bitcoinem a tokenem BSQ prostřednictvím atomických výměn, okamžitě a bezpečně +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.BSQ_SWAP=BSQ/BTC +# suppress inspection "UnusedProperty" +tradeApps.overview.security.BSQ_SWAP=Nejvyšší bezpečnost díky použití chytré smlouvy na stejném blockchainu. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.BSQ_SWAP=Omezeno nedostatky soukromí Bitcoinu a závisí na chování uživatele (vyhýbání se slučování mincí z více obchodů zvyšuje soukromí). BSQ má potenciálně menší soukromí kvůli menšímu anonymnímu záznamu. Pro více informací navštivte Bisq wiki. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.BSQ_SWAP=Uživatel musí nainstalovat a nakonfigurovat peněženku BSQ. Jakmile je nainstalována, je velmi pohodlné ji používat. +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.subHeadline=Atomická výměna mezi BSQ (barevnou mincí na Bitcoinu) a Bitcoinem +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.overview=Stejný model jako v Bisq 1. Jelikož je založen na jediné atomické transakci, je velmi bezpečný.\nVyžaduje běh uzlu Bisq 1 s povoleným rozhraním API pro DAO. +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.release=BSQ swaps se plánuje vydat v 3. čtvrtletí 2025. +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.pro=+ Velmi bezpečné\n+ Relativně rychlé, i když obchod je považován za dokončený až po potvrzení v blockchainu\n+ Není vyžadována transakce s poplatkem pro tvůrce nabídky a není vyžadována záloha na bezpečnost +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.con=- Je nutné spustit Bisq 1 pro data BSQ/DAO\n- Omezeno na trh BSQ/BTC + + +###################################################### +## LIGHTNING_ESCROW +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW=Lightning Escrow +# suppress inspection "UnusedProperty" +tradeApps.overview.LIGHTNING_ESCROW=Obchodní protokol založený na Escrow na síti Lightning s využitím kryptografie víceúčelového výpočtu +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.LIGHTNING_ESCROW=LN-BTC/Fiat +# suppress inspection "UnusedProperty" +tradeApps.overview.security.LIGHTNING_ESCROW=Bezpečnost je založena na zálohách na bezpečnost a také na dalších funkcích vztahujících se k omezením obchodu. Protokol používá některé nové kryptografické techniky, které nebyly testovány v boji a auditovány. Pro více informací navštivte Bisq wiki. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.LIGHTNING_ESCROW=Závisí na použité metodě Fiat přenosu. Online Fiat přenos obvykle odhaluje totožnost obchodního partnera. Na straně Bitcoinu je omezeno nedostatky soukromí Bitcoinu a závisí na chování uživatele (vyhýbání se slučování mincí z více obchodů zvyšuje soukromí). Pro více informací navštivte Bisq wiki. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.LIGHTNING_ESCROW=Uživatel musí mít malé množství Bitcoinu pro uzamčení zálohy na bezpečnost. +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.subHeadline=Trojstranný protokol pro obchodování Fiat s Bitcoinem na síti Lightning. +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.overview=Je založen na několika platbách Lightning a rozděluje tajemství pro HTLC (Hashed Time-Locked Contracts), aby vytvořil bezpečné nastavení, kde třetí strana zaručuje, že obchodníci se chovají čestně. Používá zamčené obvody (garbled circuits) k dosažení bezpečného výpočtu více stran.\n\nUživatel musí provozovat Lightning uzel, který je nakonfigurován s aplikací Bisq.\n\nKoncepčně je podobný protokolu Bisq MuSig, ale místo MuSig transakce používá tento 3-stranný setup a místo on-chain Bitcoinu používá Bitcoin na Lightning Network. +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.release=Lightning Escrow se plánuje vydat v 4. čtvrtletí 2025. +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.pro=+ V porovnání s Bisq Easy jsou bezpečnostní vlastnosti lepší a mohou být obchodovány vyšší částky. Vyšší částky přibližují ceny obchodů k tržním sazbám.\n+ Platby Bitcoinu jsou téměř okamžité\n+ Velmi nízké transakční (směrovací) poplatky +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.con=- Je nutné spustit uzel Lightning\n- Obě strany obchodu potřebují mít BTC (na síti Lightning) pro zálohu na bezpečnost.\n- Node tvůrce v Bisq musí být online, protože proces přijetí nabídky je interaktivní.\n- Jelikož se Fiatový přenos provádí na systémech dědictví, jako jsou bankovní převody, zdědí všechny tyto nedostatky, jako je riziko storno, pomalý přenos, vystavení soukromí partnerovi, když údaje o bankovním převodu obsahují skutečné jméno. Tyto různé nedostatky lze však zmírnit použitím platebních metod, které nesou nízké riziko storno, jsou rychlé nebo okamžité a používají identifikační čísla nebo e-mail místo skutečných jmen. Určité platební metody úplně vyhnou bankovnímu systému, jako je hotovost poštou nebo osobní obchodování face to face. + + +###################################################### +## MONERO_SWAP +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP=Monero Swaps +# suppress inspection "UnusedProperty" +tradeApps.overview.MONERO_SWAP=Obchodování s Bitcoinem a Monerem pomocí atomického křížového řetězce +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.MONERO_SWAP=XMR/BTC +# suppress inspection "UnusedProperty" +tradeApps.overview.security.MONERO_SWAP=Velmi vysoká bezpečnost díky použití adaptérních podpisů pro atomickou výměnu mezi Monero a Bitcoin blockchainem. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.MONERO_SWAP=Velmi vysoké na straně Monera díky jeho vrozené silné soukromí. Na straně Bitcoinu je omezeno nedostatky soukromí Bitcoinu. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.MONERO_SWAP=Uživatel musí nainstalovat Farcaster swap démona a plný uzel Monera a Bitcoinu. Jakmile je nainstalováno, je velmi pohodlné. +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.subHeadline=Atomický křížový řetězec pro obchodování Bitcoinu s Monerem +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.overview=Založeno na projektu Farcaster (financovaném komunitou Monera) s využitím smluv o časovém zámku (HTLC), adaptérními podpisy a důkazy o nulovém znalostním pro atomickou výměnu Bitcoinu a Monera.\n\nUživatel musí nainstalovat a spustit uzel Bitcoinu, uzel Monera a démona Farcaster. Během výměny musí být uzly obou obchodníků online. Dodatečná úsilí při použití tohoto protokolu se vyplácejí velmi vysokou úrovní bezpečnosti. Uživatelé by se však měli seznámit s podrobnostmi tohoto konceptu a měli by si být vědomi, že existují okrajové případy, které nesou malá rizika. +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.release=Monero swaps se plánují vydat v 3. čtvrtletí 2025. +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.pro=+ Velmi bezpečné\n+ Slušné soukromí. Na straně Bitcoinu zdědí vlastnosti soukromí Bitcoinu. Na straně Monera má prospěch z vysokého soukromí Monera.\n+ Vhodné pro transakce s vysokou hodnotou +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.con=- Vyžaduje nějaké technické dovednosti a zkušenosti pro provoz potřebné infrastruktury\n- Potvrzovací čas závisí na potvrzení na obou blockchainech, což obvykle trvá asi 20-30 minut.\n- Transakční poplatky na straně Bitcoinu mohou být nepodstatné v případě vysokého záboru blockchainu (poměrně vzácné, ale)\n- Obě strany obchodníků musí být online\n- Vyžaduje hodně rychlého úložiště na disku pro uzly diff --git a/shared/domain/src/commonMain/resources/mobile/trade_apps_de.properties b/shared/domain/src/commonMain/resources/mobile/trade_apps_de.properties new file mode 100644 index 00000000..1df04a4d --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/trade_apps_de.properties @@ -0,0 +1,265 @@ +###################################################### +## Trade protocols +###################################################### +tradeApps.compare=Vergleiche Protokolle +tradeApps.bisqMuSig=Bisq MuSig +tradeApps.subMarine=Submarine Swaps +tradeApps.bisqLightning=Bisq Lightning +tradeApps.more=Mehr + +tradeApps.comingSoon=Demnächst verfügbar +tradeApps.select=Auswählen +tradeApps.release=Veröffentlichung +tradeApps.security=Sicherheit +tradeApps.markets=Märkte +tradeApps.privacy=Datenschutz +tradeApps.convenience=Komfort +tradeApps.overview=Übersicht +tradeApps.tradeOffs=Pro/Kontra + +tradeApps.overview.headline=Finde den besten Weg, um Bitcoin zu handeln +tradeApps.overview.subHeadline=Ein Handelsprotokoll dient als grundlegender Rahmen für den sicheren Handel mit Bitcoin. Jedes Handelsprotokoll bietet eine eigene Reihe von Vorteilen und Abwägungen in Bezug auf Sicherheit, Datenschutz und Bequemlichkeit.\nBisq bietet dir die Flexibilität, das optimale Protokoll entsprechend deiner Vorlieben auszuwählen.\n\nErforsche die geplanten Handelsprotokolle, die in Bisq integriert werden sollen. Derzeit ist Bisq Easy das einzige implementierte Protokoll, das auf neue Bitcoin-Benutzer zugeschnitten ist und für kleinere Handelsbeträge geeignet ist. Schau nach Updates, falls dich eines der geplanten Protokolle interessiert. + +tradeApps.overview.more=Darüber hinaus stehen weitere Protokolle in der Warteschlange, die in Zukunft implementiert werden sollen. + + +###################################################### +## BISQ_EASY +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.BISQ_EASY=Bisq Easy +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.BISQ_EASY=BTC/Fiat +# suppress inspection "UnusedProperty" +tradeApps.overview.BISQ_EASY=Einfach zu bedienendes Chat-basiertes Handelsprotokoll. Die Sicherheit basiert auf der Reputation des Verkäufers +# suppress inspection "UnusedProperty" +tradeApps.overview.security.BISQ_EASY=Die Sicherheit basiert auf der Reputation des Verkäufers. Nur für geringe Beträge geeignet. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.BISQ_EASY=Abhängig von der verwendeten Fiat-Überweisungsmethode. Online-Fiat-Überweisungen offenbaren normalerweise die Identität des Handelspartners. Auf der Bitcoin-Seite wird sie durch die Datenschutzbeschränkungen von Bitcoin eingeschränkt und hängt vom Nutzerverhalten ab (um die Verknüpfung mehrerer Trades zu vermeiden, erhöht sich die Privatsphäre). Siehe Bisq Wiki für weitere Informationen. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.BISQ_EASY=Sehr benutzerfreundliche Chat-Schnittstelle. Der Bitcoin-Käufer benötigt keinen Bitcoin. + +###################################################### +## BISQ_MU_SIG +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG=Bisq MuSig +# suppress inspection "UnusedProperty" +tradeApps.overview.BISQ_MU_SIG=Das Bisq MuSig-Protokoll benötigt dank MuSig, Atomic Swaps und Taproot nur eine Transaktion. +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.BISQ_MU_SIG=BTC/Fiat +# suppress inspection "UnusedProperty" +tradeApps.overview.security.BISQ_MU_SIG=Die Sicherheit basiert sowohl auf Sicherheitsleistungen als auch auf zusätzlichen Funktionen in Bezug auf Handelslimits. Weitere Informationen finden Sie im Bisq-Wiki. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.BISQ_MU_SIG=Abhängig von der verwendeten Fiat-Übertragungsmethode. Eine Online-Fiat-Übertragung enthüllt normalerweise die Identität des Handelspartners. Auf der Bitcoin-Seite wird sie durch die Datenschutzbeschränkungen von Bitcoin eingeschränkt und hängt vom Nutzerverhalten ab (Vermeidung von Coin-Merges mehrerer Trades erhöht die Privatsphäre). Siehe Bisq-Wiki für weitere Informationen. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.BISQ_MU_SIG=Der Benutzer muss eine geringe Menge Bitcoins zur Sicherheitsleistung hinterlegen. Kann so schnell wie die Bestätigungszeit der Blockchain oder je nach Fiat-Zahlungsmethode bis zu mehreren Tagen dauern. + +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.subHeadline=Basierend auf MuSig, Atomic Swaps und Taproot erfordert es nur eine Transaktion. +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.overview=Konzeptionell folgt es dem Handelsprotokoll, das in Bisq 1 verwendet wird, basierend auf einem Sicherheitsdepositum und einem Streitbeilegungsprozess.\n- Es reduziert die Anzahl der Transaktionen von 4 auf 1.\n- Verbessert die Privatsphäre, indem die Deposittransaktion wie eine Standard-„pay-to-pubKey-hash“-Transaktion aussieht.\n- Vermeidet das Problem, dass ein Verkäufer ein Schiedsverfahren eröffnen muss, falls der Käufer das Sicherheitsdepositum nach dem Handel nicht freigibt. Atomic Swaps stellen sicher, dass der Verkäufer sein Depositum zurückerhält, auch ohne Kooperation des Käufers.\n- Im Falle eines nicht reagierenden Handelspartners sorgt eine mehrstufige Auszahlungstransaktionsstruktur dafür, dass kein Schiedsverfahren und keine Erstattung durch die DAO erforderlich sind.\n- Taproot bietet mehr Flexibilität und Privatsphäre.\n- Weitere Details findest du unter: https://github.com/bisq-network/proposals/issues/456 +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.release=Bisq MuSig wird voraussichtlich im Q2/2025 veröffentlicht. +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.pro=+ Angemessene Sicherheit für Handelsbeträge mittlerer Höhe\n+ Im Vergleich zu Bisq Easy sind die Sicherheitseigenschaften besser, und höhere Beträge können gehandelt werden. Die höheren Beträge bringen die Handelspreise näher an die Marktkurse heran.\n+ Schafft es, mit dem Altsystem der Fiat-Welt umzugehen +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.con=- Beide Händler benötigen BTC für die Sicherheitsleistung\n- Der Macher-Bisq-Knoten muss online sein, da der Angebot-Nehmen-Prozess interaktiv ist\n- Da die Fiat-Übertragung auf Altsystemen wie Banküberweisungen erfolgt, erbt sie all diese Nachteile, wie Rückbuchungsrisiko, langsame Überweisung, Datenschutzaussetzung für den Handelspartner, wenn die Banküberweisungsdetails den echten Namen enthalten. Obwohl diese verschiedenen Nachteile durch die Verwendung von Zahlungsmethoden, die ein geringes Rückbuchungsrisiko tragen, schnell oder sofort sind und Kontonummern oder E-Mails anstelle von echten Namen verwenden, gemildert werden können. Bestimmte Zahlungsmethoden vermeiden das Bankensystem vollständig, wie Bargeld per Post oder der persönliche Handel von Angesicht zu Angesicht. + + +###################################################### +## SUBMARINE +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE=Submarine Swaps +# suppress inspection "UnusedProperty" +tradeApps.overview.SUBMARINE=Tausche zwischen Bitcoin im Lightning-Netzwerk und Bitcoin auf der Blockchain +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.SUBMARINE=LN-BTC/BTC +# suppress inspection "UnusedProperty" +tradeApps.overview.security.SUBMARINE=Atomarer Swap bietet ein sehr hohes Sicherheitsniveau. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.SUBMARINE=Swaps können potenziell die Privatsphäre verbessern, indem sie Spuren für die Kettenanalyse unterbrechen. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.SUBMARINE=Benutzer müssen eine Lightning-Wallet installieren und konfigurieren. Sobald sie installiert ist, ist sie sehr bequem zu bedienen. +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.subHeadline=Submarine Swaps ermöglichen den sicheren Austausch von Off-Chain- und On-Chain-Bitcoin ohne Gegenparteirisiko +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.overview=Der Tausch erfolgt durch Verwendung des Geheimnisses eines Hash-Zeitverriegelten Vertrags (HTLC) im Lightning-Netzwerk für einen Vertrag in einer Bitcoin-Transaktion. Durch das Einfordern der Lightning-Zahlung wird das Geheimnis zum Einfordern des On-Chain-Bitcoin dem Absender der Lightning-Zahlung offengelegt. Dies stellt sicher, dass eine Zahlung die andere Zahlung freischaltet und somit einen Austausch ohne Gegenparteirisiko ermöglicht. +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.release=Submarine Swaps wird voraussichtlich im Q3/2025 veröffentlicht. +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.pro=+ Sehr hohe Sicherheit für große Handelsbeträge\n+ Das Tauschen von On-Chain-Bitcoin in Lightning kann potenziell die Privatsphäre verbessern.\n+ Der Austausch kann durch Handelsroboter erfolgen, was schnelle und automatisierte Trades ermöglicht. +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.con=- Mining-Gebühren für die Bitcoin-Transaktion können kleine Trades unwirtschaftlich machen\n- Händler müssen sich um die Zeitüberschreitungen der Transaktionen kümmern. Bei Blockchain-Überlastung und verzögerter Bestätigung kann das ein Sicherheitsrisiko darstellen. + + +###################################################### +## LIQUID_MU_SIG +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG=Liquid MuSig +# suppress inspection "UnusedProperty" +tradeApps.overview.LIQUID_MU_SIG=Das Bisq MuSig-Protokoll auf die Liquid-Seitenkette portiert +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.LIQUID_MU_SIG=L-BTC/Fiat +# suppress inspection "UnusedProperty" +tradeApps.overview.security.LIQUID_MU_SIG=Die Sicherheit basiert sowohl auf Sicherheitsleistungen als auch auf zusätzlichen Funktionen in Bezug auf Handelslimits. Weitere Informationen finden Sie im Bisq-Wiki. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.LIQUID_MU_SIG=Abhängig von der verwendeten Fiat-Übertragungsmethode. Eine Online-Fiat-Übertragung enthüllt normalerweise die Identität des Handelspartners. Auf der Liquid-Seite ist die Privatsphäre besser als bei Mainnet Bitcoin aufgrund vertraulicher Transaktionen. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.LIQUID_MU_SIG=Der Benutzer muss eine geringe Menge L-BTC zur Sicherheitsleistung hinterlegen. Die Bestätigung auf Liquid erfolgt sehr schnell (ca. 1 Minute). Die Handelsdauer hängt von der verwendeten Zahlungsmethode und der Reaktionszeit des Händlers ab. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.subHeadline=Basierend auf einer Sicherheitsleistung, einer MuSig-Transaktion und einem mehrschichtigen Streitbeilegungsprozess +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.overview=Konzeptionell folgt es dem Bisq MuSig-Protokoll (auf Bitcoin-Hauptnetz). Liquid bietet jedoch einige Vorteile gegenüber dem Bitcoin-Hauptnetz:\n- Liquid hat eine sehr kurze Blockbestätigungszeit von etwa 1 Minute.\n- Transaktionsgebühren sind sehr niedrig.\n- Die Privatsphäre ist durch vertrauliche Transaktionen, die den gesendeten Betrag verbergen, besser. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.release=Liquid MuSig wird voraussichtlich im Q3/2025 veröffentlicht. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.pro=+ Angemessen gute Sicherheit für Handelsbeträge mittlerer Höhe\n+ Im Vergleich zu Bisq MuSig gibt es niedrigere Transaktionsgebühren, schnellere Bestätigungen und bessere Privatsphäre.\n+ Bewältigt das Legacy-System der Fiat-Welt +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.con=- Beide Händler müssen L-BTC für die Sicherheitsleistung haben\n- Liquid ist eine föderierte Sidechain und hat nicht das hohe Maß an Zensurbeständigkeit wie Bitcoin Mainnet.\n- Das Peg-In von Bitcoin Mainnet zu Liquid Bitcoin ist ohne Vertrauen, allerdings erfordert das Peg-Out von L-BTC zu BTC die Autorisierung der Föderation.\n- Der Macher-Bisq-Knoten muss online sein, da der Angebot-Nehmen-Prozess interaktiv ist\n- Da die Fiat-Übertragung auf Altsystemen wie Banküberweisungen erfolgt, erbt sie all diese Nachteile, wie Rückbuchungsrisiko, langsame Überweisung, Datenschutzaussetzung für den Handelspartner, wenn die Banküberweisungsdetails den echten Namen enthalten. Obwohl diese verschiedenen Nachteile durch die Verwendung von Zahlungsmethoden, die ein geringes Rückbuchungsrisiko tragen, schnell oder sofort sind und Kontonummern oder E-Mails anstelle von echten Namen verwenden, gemildert werden können. Bestimmte Zahlungsmethoden vermeiden das Bankensystem vollständig, wie Bargeld per Post oder der persönliche Handel von Angesicht zu Angesicht. + + +###################################################### +## BISQ_LIGHTNING +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING=Bisq Lightning +# suppress inspection "UnusedProperty" +tradeApps.overview.BISQ_LIGHTNING=Ermöglicht den Handel von Bitcoin im Lightning Network gegen Fiat, indem Submarine Swaps und das Liquid MuSig-Protokoll kombiniert werden. +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.BISQ_LIGHTNING=LN-BTC/Fiat +# suppress inspection "UnusedProperty" +tradeApps.overview.security.BISQ_LIGHTNING=Die Sicherheit basiert sowohl auf Sicherheitsleistungen als auch auf zusätzlichen Funktionen in Bezug auf Handelslimits. Weitere Informationen finden Sie im Bisq-Wiki. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.BISQ_LIGHTNING=Abhängig von der verwendeten Fiat-Übertragungsmethode. Eine Online-Fiat-Übertragung enthüllt normalerweise die Identität des Handelspartners. Auf der Lightning-Seite ist die Privatsphäre besser als bei On-Chain-Bitcoin, da keine Spuren auf der Blockchain hinterlassen werden. Auf der Liquid-Seite ist die Privatsphäre besser als bei Mainnet-Bitcoin aufgrund vertraulicher Transaktionen. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.BISQ_LIGHTNING=Der Nutzer muss eine kleine Menge Bitcoin im Lightning Network für die Sicherheitenhinterlegung bereitstellen. Die Submarine Swaps und die Handelstransaktionen profitieren von der schnellen Blockchain-Bestätigungszeit von etwa 1 Minute. Die Zeit für den Handel hängt von der verwendeten Zahlungsmethode und der Reaktionszeit des Händlers ab. +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.subHeadline=Kombiniert Submarine Swaps von Lightning zu Liquid und das Liquid MuSig-Protokoll +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.overview=Es ermöglicht Händlern, ihre Off-Chain Bitcoin im Lightning Network für den Handel mit Fiat zu nutzen, basierend auf dem Liquid MuSig-Protokoll. Das Protokoll besteht aus einer Kette von 3 Trades und 2 verschiedenen Protokollen:\n- Zunächst tauschen die Händler ihre Lightning Bitcoin über einen Reverse Submarine Swap in L-BTC (Submarine Swap zwischen Lightning und Liquid). Dieser Swap erfolgt mit einem beliebigen Liquiditätsanbieter, nicht mit dem Handelspartner.\n- Danach erfolgt der Handel auf Liquid unter Verwendung des MuSig-Protokolls.\n- Nach Abschluss des Handels wird das L-BTC durch einen Submarine Swap (wiederum mit einem anderen Händler/Liquiditätsanbieter) zurück in das Lightning Network gewechselt. +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.release=Bisq Lightning soll voraussichtlich im Q3/2025 veröffentlicht werden. +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.pro=+ Angemessen gute Sicherheit für Handelsbeträge mittlerer Höhe\n+ Im Vergleich zu Bisq MuSig gibt es niedrigere Transaktionsgebühren, schnellere Bestätigungen und bessere Privatsphäre.\n+ Bewältigt das Legacy-System der Fiat-Welt +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.con=- Beide Händler müssen BTC im Lightning-Netzwerk für die Sicherheitsleistung haben\n- Die Beteiligung von 2 zusätzlichen Händlern für die Submarine-Swaps erhöht die Komplexität und birgt potenzielle (eher geringe) Risiken.\n- Liquid ist eine föderierte Sidechain und hat nicht das hohe Maß an Zensurbeständigkeit wie Bitcoin Mainnet.\n- Das Peg-In von Bitcoin Mainnet zu Liquid Bitcoin ist ohne Vertrauen, allerdings erfordert das Peg-Out von L-BTC zu BTC die Autorisierung der Föderation.\n- Der Macher-Bisq-Knoten muss online sein, da der Angebot-Nehmen-Prozess interaktiv ist\n- Da die Fiat-Übertragung auf Altsystemen wie Banküberweisungen erfolgt, erbt sie all diese Nachteile, wie Rückbuchungsrisiko, langsame Überweisung, Datenschutzaussetzung für den Handelspartner, wenn die Banküberweisungsdetails den echten Namen enthalten. Obwohl diese verschiedenen Nachteile durch die Verwendung von Zahlungsmethoden, die ein geringes Rückbuchungsrisiko tragen, schnell oder sofort sind und Kontonummern oder E-Mails anstelle von echten Namen verwenden, gemildert werden können. Bestimmte Zahlungsmethoden vermeiden das Bankensystem vollständig, wie Bargeld per Post oder der persönliche Handel von Angesicht zu Angesicht. + + +###################################################### +## LIQUID_SWAP +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP=Liquid Swaps +# suppress inspection "UnusedProperty" +tradeApps.overview.LIQUID_SWAP=Handeln Sie beliebige auf Liquid basierende Vermögenswerte wie USDT und BTC-L mit einem atomaren Swap im Liquid-Netzwerk +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.LIQUID_SWAP=Liquid-Vermögenswerte +# suppress inspection "UnusedProperty" +tradeApps.overview.security.LIQUID_SWAP=Ultimativer Schutz durch die Verwendung von Smart Contracts auf derselben Blockchain. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.LIQUID_SWAP=Liquid unterstützt vertrauliche Transaktionen und enthüllt daher den Betrag nicht auf der Blockchain. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.LIQUID_SWAP=Benutzer müssen das Elements Wallet für Liquid installieren und konfigurieren. Sobald es installiert ist, ist es sehr bequem zu bedienen. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.subHeadline=Atomarer Swap-basiertes Handelsprotokoll auf der Liquid Side-Chain für den Handel mit beliebigen Liquid-Vermögenswerten +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.overview=Um Liquid Swaps zu verwenden, muss der Benutzer das Elements Wallet installieren und ausführen und es so konfigurieren, dass es von der Bisq-Anwendung aus zugänglich ist.\n\nDas am häufigsten verwendete Asset auf Liquid ist USDT (Tether), ein Stablecoin, der an den USD gebunden ist. Auch wenn dies nicht mit etwas wie Bitcoin vergleichbar ist, hat es viele Vorteile gegenüber Fiat-USD, bei dem normalerweise Banküberweisungen mit all den Problemen und Unannehmlichkeiten des traditionellen Fiat-Systems erfolgen.\n\nL-BTC könnte auf der anderen Seite des Handels verwendet werden, was ein Ersatz für Bitcoin auf der Liquid-Kette ist. Um Bitcoin in L-BTC umzuwandeln, muss man Bitcoin an eine Peg-In-Adresse senden und erhält nach 102 Bestätigungen L-BTC dafür. Die Rückwandlung von L-BTC in Bitcoin (Peg-Out) funktioniert ähnlich, erfordert jedoch die Autorisierung der Liquid-Föderation, die aus einer Gruppe von Unternehmen und Einzelpersonen im Bitcoin-Bereich besteht. Daher handelt es sich nicht um einen vollständig vertrauenslosen Prozess.\n\nMan sollte Liquid-Vermögenswerte nicht mit den Eigenschaften von Bitcoin vergleichen. Es zielt auf andere Anwendungsfälle ab und kann nicht das hohe Maß an Dezentralisierung und Zensurbeständigkeit von Bitcoin erreichen. Es kann eher als Alternative zu traditionellen Finanzprodukten betrachtet werden. Durch die Verwendung der Blockchain-Technologie vermeidet es klassische Intermediäre, verbessert Sicherheit und Privatsphäre und bietet eine bessere Benutzererfahrung. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.release=Liquid Swaps befinden sich noch in der Entwicklung. Es wird voraussichtlich im Q3/2025 veröffentlicht. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.pro=+ Vertrauliche Transaktionen bieten eine gute Privatsphäre\n+ Schnelle Bestätigungszeit von etwa 1 Minute\n+ Geringe Transaktionsgebühren\n+ Geeignet für Transaktionen mit hohem Wert +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.con=- Erfordert die Ausführung des Elements Wallets und der Blockchain\n- Beide Händler müssen online sein\n- Das Peg-Out von L-BTC ist nicht vertrauenslos + + +###################################################### +## BSQ_SWAP +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP=BSQ Swaps +# suppress inspection "UnusedProperty" +tradeApps.overview.BSQ_SWAP=Handeln Sie Bitcoin und den BSQ-Token über atomare Swaps, sofortig und sicher +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.BSQ_SWAP=BSQ/BTC +# suppress inspection "UnusedProperty" +tradeApps.overview.security.BSQ_SWAP=Ultimativer Schutz durch Verwendung eines Smart Contracts auf derselben Blockchain. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.BSQ_SWAP=Durch die Datenschutzbeschränkungen von Bitcoin eingeschränkt und abhängig von dem Nutzerverhalten (das Vermeiden von Münzvermischungen mehrerer Trades erhöht die Privatsphäre). BSQ hat potenziell weniger Privatsphäre aufgrund der kleineren Anonymitätsgruppe. Weitere Informationen finden Sie im Bisq-Wiki. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.BSQ_SWAP=Benutzer müssen das BSQ-Wallet installieren und konfigurieren. Sobald es installiert ist, ist es sehr bequem zu bedienen. +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.subHeadline=Atomarer Swap zwischen BSQ (farbiger Münze auf Bitcoin) und Bitcoin +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.overview=Gleiche Modell wie in Bisq 1 verwendet. Da es auf einer einzelnen atomaren Transaktion basiert, ist es sehr sicher.\nEs wird erforderlich sein, den Bisq 1-Knoten mit der aktivierten DAO-API auszuführen. +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.release=BSQ Swaps sollen voraussichtlich im Q4/2025 veröffentlicht werden. +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.pro=+ Sehr sicher\n+ Relativ schnell, allerdings gilt der Handel erst nach der Bestätigung durch die Blockchain als abgeschlossen\n+ Keine Maker-Gebührstransaktion und keine erforderliche Sicherheitsleistung +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.con=- Erfordert die Ausführung von Bisq 1 für die BSQ/DAO-Daten\n- Beschränkt auf den BSQ/BTC-Markt + + +###################################################### +## LIGHTNING_ESCROW +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW=Lightning Escrow +# suppress inspection "UnusedProperty" +tradeApps.overview.LIGHTNING_ESCROW=Handelsprotokoll für Treuhandgeschäfte im Lightning-Netzwerk unter Verwendung von Mehrparteien-Berechnungskryptographie +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.LIGHTNING_ESCROW=LN-BTC/Fiat +# suppress inspection "UnusedProperty" +tradeApps.overview.security.LIGHTNING_ESCROW=Die Sicherheit basiert auf Sicherheitseinlagen sowie zusätzlichen Funktionen in Bezug auf Handelslimits. Das Protokoll verwendet einige neuartige kryptographische Techniken, die nicht auf Herz und Nieren geprüft und auditiert sind. Weitere Informationen finden Sie im Bisq-Wiki. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.LIGHTNING_ESCROW=Abhängig von der verwendeten Fiat-Überweisungsmethode. Online-Fiat-Überweisungen offenbaren normalerweise die Identität des Handelspartners. Auf der Bitcoin-Seite ist es durch die Datenschutzbeschränkungen von Bitcoin eingeschränkt und hängt vom Nutzerverhalten ab (das Vermeiden von Münzvermischungen mehrerer Trades erhöht die Privatsphäre). Weitere Informationen finden Sie im Bisq-Wiki. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.LIGHTNING_ESCROW=Der Benutzer muss eine kleine Menge Bitcoin haben, um die Sicherheitseinlage zu hinterlegen. +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.subHeadline=Dreiparteienprotokoll zum Handeln von Fiat mit Bitcoin im Lightning-Netzwerk. +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.overview=Es basiert auf mehreren Lightning-Zahlungen und teilt die Geheimnisse für die HTLCs auf, um ein sicheres Setup zu erstellen, bei dem die dritte Partei garantiert, dass die Händler fair handeln. Es verwendet verschlüsselte Schaltungen, um eine sichere Mehrparteienberechnung zu erreichen.\n\nDer Nutzer muss einen Lightning-Knoten betreiben, der mit der Bisq-Anwendung konfiguriert ist.\n\nKonzeptionell ähnelt es dem Bisq MuSig-Protokoll, verwendet jedoch anstelle der MuSig-Transaktion dieses 3-Parteien-Setup und anstelle von On-Chain-Bitcoin wird Bitcoin im Lightning Network verwendet. +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.release=Lightning Treuhand soll voraussichtlich im Q4/2025 veröffentlicht werden. +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.pro=+ Im Vergleich zu Bisq Easy sind die Sicherheitseigenschaften besser, und höhere Beträge können gehandelt werden. Die höheren Beträge bringen die Handelspreise näher an die Marktraten heran.\n+ Die Bitcoin-Zahlungen erfolgen nahezu sofort\n+ Sehr geringe Transaktions- (Routing-) Gebühren +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.con=- Notwendigkeit, einen Lightning-Knoten auszuführen\n- Beide Händler müssen BTC (im Lightning-Netzwerk) für die Sicherheitseinlage haben.\n- Der Makers-Bisq-Knoten muss online sein, da der Angebotsprozess interaktiv ist.\n- Da die Fiat-Überweisung über veraltete Systeme wie Banküberweisungen erfolgt, erbt sie all diese Nachteile, wie das Risiko von Rückbuchungen, langsame Überweisungen und die Preisgabe der Privatsphäre des Handelspartners, wenn die Banküberweisungsdetails den echten Namen enthalten. Diese verschiedenen Nachteile können jedoch durch die Verwendung von Zahlungsmethoden, die ein geringes Rückbuchungsrisiko tragen, schnell oder sofort sind und Kontonummern oder E-Mail-Adressen anstelle von echten Namen verwenden, gemildert werden. Bestimmte Zahlungsmethoden umgehen das Bankensystem vollständig, wie z. B. Bargeld per Post oder Handel von Angesicht zu Angesicht. + + +###################################################### +## MONERO_SWAP +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP=Monero Swaps +# suppress inspection "UnusedProperty" +tradeApps.overview.MONERO_SWAP=Handeln Sie Bitcoin und Monero mithilfe eines atomaren Cross-Chain-Swaps +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.MONERO_SWAP=XMR/BTC +# suppress inspection "UnusedProperty" +tradeApps.overview.security.MONERO_SWAP=Sehr hohe Sicherheit durch Verwendung von Adaptor-Signaturen zum atomaren Austausch zwischen der Monero- und der Bitcoin-Blockchain. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.MONERO_SWAP=Sehr hoch auf der Monero-Seite aufgrund ihrer inhärenten starken Privatsphäre. Auf der Bitcoin-Seite ist es durch die Datenschutzbeschränkungen von Bitcoin eingeschränkt. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.MONERO_SWAP=Benutzer müssen den Farcaster-Swap-Daemon sowie einen Monero- und Bitcoin-Full-Node installieren. Sobald sie installiert sind, ist es sehr praktisch. +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.subHeadline=Atomares Cross-Chain-Swap-Protokoll zum Handeln von Bitcoin mit Monero +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.overview=Basiert auf dem Farcaster-Projekt (finanziert von der Monero-Community) unter Verwendung von Hashed Time Lock Contracts (HTLC), Adaptor-Signaturen und Zero-Knowledge-Proof zum atomaren Austausch von Bitcoin und Monero.\n\nDer Benutzer muss einen Bitcoin-Knoten, einen Monero-Knoten und den Farcaster-Daemon installieren und ausführen. Während des Swaps müssen die Knoten beider Händler online sein. Der zusätzliche Aufwand bei der Verwendung dieses Protokolls zahlt sich durch ein sehr hohes Sicherheitsniveau aus. Benutzer sollten sich jedoch mit den Details dieses Konzepts vertraut machen und darauf achten, dass es Randfälle gibt, die einige geringe Risiken bergen. +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.release=Monero-Swaps sollen voraussichtlich im Q4/2025 veröffentlicht werden. +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.pro=+ Sehr sicher\n+ Angemessene Privatsphäre. Auf der Bitcoin-Seite erbt es die Datenschutzeigenschaften von Bitcoin. Auf der Monero-Seite profitiert es von der hohen Privatsphäre von Monero.\n+ Geeignet für Transaktionen mit hohem Wert +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.con=- Es erfordert einige technische Fähigkeiten und Erfahrung, um die erforderliche Infrastruktur zu betreiben\n- Die Bestätigungszeit basiert auf den Bestätigungen in beiden Blockchains, was in der Regel etwa 20-30 Minuten dauern wird.\n- Transaktionsgebühren auf der Bitcoin-Seite könnten bei hoher Blockchain-Überlastung nicht unerheblich sein (obwohl dies eher selten ist)\n- Beide Händler müssen online sein\n- Es erfordert viel schnellen Festplattenspeicher für die Knoten diff --git a/shared/domain/src/commonMain/resources/mobile/trade_apps_es.properties b/shared/domain/src/commonMain/resources/mobile/trade_apps_es.properties new file mode 100644 index 00000000..c7bf0c44 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/trade_apps_es.properties @@ -0,0 +1,265 @@ +###################################################### +## Trade protocols +###################################################### +tradeApps.compare=Comparar protocolos +tradeApps.bisqMuSig=Bisq MuSig +tradeApps.subMarine=Submarine Swaps +tradeApps.bisqLightning=Bisq Lightning +tradeApps.more=Más + +tradeApps.comingSoon=Próximamente +tradeApps.select=Seleccionar +tradeApps.release=Lanzamiento +tradeApps.security=Seguridad +tradeApps.markets=Mercados +tradeApps.privacy=Privacidad +tradeApps.convenience=Comodidad +tradeApps.overview=Visión general +tradeApps.tradeOffs=Pros/Contras + +tradeApps.overview.headline=Descubre la mejor manera de comprar y vender Bitcoin +tradeApps.overview.subHeadline=Un protocolo de compra-venta sirve como marco fundamental para el comprar y vender Bitcoin de manera segura. Cada protocolo de compra-venta presenta su propio conjunto de ventajas y desventajas en términos de seguridad, privacidad y comodidad.\nBisq te ofrece la flexibilidad de seleccionar el protocolo óptimo que se alinee con tus preferencias.\n\nExplora los próximos protocolos de comercio programados para integrarse en Bisq. Por ahora, Bisq Easy es el único protocolo implementado, diseñado para usuarios novatos de Bitcoin y adecuado para cantidades pequeñas. Mantente atento a las actualizaciones si alguno de los próximos protocolos te interesa. + +tradeApps.overview.more=Además, hay más protocolos en el horizonte, planeados para implementaciones futuras. + + +###################################################### +## BISQ_EASY +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.BISQ_EASY=Bisq Easy +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.BISQ_EASY=BTC/Fiat +# suppress inspection "UnusedProperty" +tradeApps.overview.BISQ_EASY=Protocolo de compra-venta basado en chat fácil de usar. La seguridad se basa en la reputación del vendedor. +# suppress inspection "UnusedProperty" +tradeApps.overview.security.BISQ_EASY=La seguridad se basa en la reputación del vendedor. Solo adecuado para cantidades pequeñas. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.BISQ_EASY=Depende del método de transferencia fiat utilizado. La transferencia fiat en línea normalmente revela la identidad a la contraparte. En el lado de Bitcoin, está sujeto a las limitaciones de privacidad de Bitcoin y depende del comportamiento del usuario (evitar mezclar bitcoin de diferentes compra-ventas aumenta la privacidad). Consulta la wiki de Bisq para más información. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.BISQ_EASY=Interfaz de chat muy fácil de usar. El comprador de Bitcoin no necesita tener Bitcoin. + +###################################################### +## BISQ_MU_SIG +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG=Bisq MuSig +# suppress inspection "UnusedProperty" +tradeApps.overview.BISQ_MU_SIG=El protocolo MuSig de Bisq requiere solo una transacción gracias a MuSig, los intercambios atómicos y Taproot. +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.BISQ_MU_SIG=BTC/Fiat +# suppress inspection "UnusedProperty" +tradeApps.overview.security.BISQ_MU_SIG=La seguridad se basa en depósitos de seguridad así como en características adicionales en relación a limitar las cantidades de la compra-venta. Consulta la wiki de Bisq para más información. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.BISQ_MU_SIG=Depende del método de transferencia fiat utilizado. La transferencia fiat en línea normalmente revela la identidad a la contraparte. En el lado de Bitcoin, está sujeto a las limitaciones de privacidad de Bitcoin y depende del comportamiento del usuario (evitar mezclar bitcoin de diferentes compra-ventas aumenta la privacidad). Consulta la wiki de Bisq para más información. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.BISQ_MU_SIG=El usuario necesita tener una pequeña cantidad de Bitcoins para bloquear en una fianza. Puede llevar desde simplemente el tiempo de confirmación de la blockchain hasta unos días dependiendo del método de pago fiat escogido. + +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.subHeadline=Basado en MuSig, intercambios atómicos y Taproot, requiere solo una transacción +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.overview=Conceptualmente sigue el protocolo de comercio utilizado en Bisq 1, basado en una fianza y un proceso de resolución de disputas.\n- Reduce el número de transacciones de 4 a 1.\n- Mejora la privacidad al hacer que la transacción de depósito parezca una transacción estándar de 'pago a clave pública-hash'.\n- Evita el problema de que un vendedor necesite abrir una arbitraje en caso de que el comprador no libere la fianza después de la compra-venta. Los intercambios atómicos garantizarán que el vendedor pueda recuperar su fianza incluso sin la cooperación del comprador.\n- En caso de que la contraparte se ausente, una estructura de transacción de pago en múltiples etapas asegura que no se requiera arbitraje ni reembolso por parte de la DAO.\n- Taproot proporciona más flexibilidad y privacidad.\n- Puedes obtener más detalles en: https://github.com/bisq-network/proposals/issues/456 +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.release=Se espera que Bisq MuSig esté listo para su lanzamiento en el cuarto trimestre de 2024. +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.pro=+ Seguridad razonablemente buena para cantidades de valor medio\n+ Comparado con Bisq Easy, las propiedades de seguridad son mejores y se pueden comerciar mayores cantidades. Las cantidades mayores hacen que los precios sean más cercanos al precio de mercado.\n+ Logra lidiar adecuadamente con el sistema tradicional del mundo fiat +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.con=- Ambas partes necesitan tener BTC para la fianza\n- El nodo Bisq del ofertante necesita estar en línea ya que el proceso de toma de la oferta es interactivo\n- Como la transferencia fiat se realiza en sistemas tradicionales como las transferencias bancarias, hereda todos sus inconvenientes, como riesgo de reversión del pago, lentitud, o las exposiciones de detalles personales a la contraparte al compartir los datos de pago. Aunque estos inconvenientes pueden mitigarse utilizando métodos de pago que tengan bajo riesgo de reversión, sean rápidos o instantáneos y usen IDs de cuenta o correo electrónico en lugar de nombres reales. Ciertos métodos de pago evitan completamente el sistema bancario, como el efectivo por correo o la compra-venta en persona. + + +###################################################### +## SUBMARINE +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE=Submarine Swaps +# suppress inspection "UnusedProperty" +tradeApps.overview.SUBMARINE=Swap entre Bitcoin en la red Lightning y Bitcoin en la cadena principal +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.SUBMARINE=LN-BTC/BTC +# suppress inspection "UnusedProperty" +tradeApps.overview.security.SUBMARINE=Los swaps atómicos proporcionan un nivel de seguridad muy alto. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.SUBMARINE=Los swaps pueden mejorar potencialmente la privacidad al romper rastros usadas por el chain analysis. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.SUBMARINE=El usuario necesita instalar y configurar una cartera Lightning. Una vez instalada, es muy cómoda de usar. +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.subHeadline=Los Submarine Swaps permiten intercambiar Bitcoin fuera de la cadena y en la cadena de forma segura sin riesgo de contraparte +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.overview=El swap se realiza utilizando el secreto de un hash time-locked contract (HTLC) en la red Lightning para un contrato en una transacción de Bitcoin. Al reclamar el pago de Lightning, se revela al remitente del pago de Lightning el secreto para reclamar el Bitcoin en la cadena. Esto asegura que un pago desbloquee el otro, lo que permite un intercambio sin riesgo de contraparte. +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.release=Se espera que los Submarine Swaps estén listos para su lanzamiento en el segundo trimestre de 2025. +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.pro=+ Gran seguridad para grandes cantidades de comercio\n+ Hacer swap de Bitcoin en cadena por Lightning puede mejorar potencialmente la privacidad.\n+ El intercambio puede ser realizado a través de bots, lo que permite operaciones rápidas y automatizadas. +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.con=- Las tarifas de minería para la transacción de Bitcoin pueden hacer que las cantidades pequeñas no sean económicas\n- Los usuarios deben cuidar los tiempos de espera de las transacciones. La congestión de la cadena de bloques y los retrasos en la confirmación, pueden representar un riesgo de seguridad. + + +###################################################### +## LIQUID_MU_SIG +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG=Liquid MuSig +# suppress inspection "UnusedProperty" +tradeApps.overview.LIQUID_MU_SIG=El protocolo MuSig de Bisq adaptado a la sidechain Liquid +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.LIQUID_MU_SIG=L-BTC/Fiat +# suppress inspection "UnusedProperty" +tradeApps.overview.security.LIQUID_MU_SIG=La seguridad se basa en fianzas así como en características adicionales en relación a limitar las cantidades de la compra-venta. Consulte la wiki de Bisq para más información. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.LIQUID_MU_SIG=Depende del método de transferencia fiat utilizado. La transferencia fiat por internet normalmente revela la identidad a la contraparte. En el lado Liquid, tiene mejor privacidad que el Bitcoin normal gracias a transacciones confidenciales. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.LIQUID_MU_SIG=El usuario necesita tener una pequeña cantidad de L-BTC para bloquear la fianza. La confirmación en la blockchain de Liquid es muy rápida (aproximadamente 1 minuto). La duración de la transacción depende del método de pago utilizado y del tiempo de respuesta de la contraparte. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.subHeadline=Basado en una fianza, una transacción MuSig y un proceso de resolución de disputas en múltiples capas +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.overview=Conceptualmente sigue el protocolo MuSig de Bisq (en Bitcoin mainnet). Liquid no tiene las mismas propiedades de incensurabilidad que Bitcoin, aunque ofrece algunos beneficios sobre Bitcoin en mainnet:\n- Liquid tiene un tiempo de confirmación de bloques muy corto, de aproximadamente 1 minuto.\n- Las comisiones de transacción son muy bajas.\n- La privacidad es mejor debido a las transacciones confidenciales que ocultan la cantidad enviado. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.release=Se espera que Liquid MuSig esté listo para su lanzamiento en el segundo trimestre de 2025. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.pro=+ Seguridad razonable para cantidades de valor medio\n+ Comparado con Bisq MuSig, tiene comisiones de transacción más bajas, confirmación más rápida y mejor privacidad.\n+ Logra lidiar adecuadamente con el sistema tradicional del mundo Fiat +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.con=- Ambos usuarios necesitan tener L-BTC para la fianza\n- Liquid es una sidechain federada y no tiene el mismo nivel de resistencia a la censura que Bitcoin en la red principal.\n- El peg-in de Bitcoin a Liquid Bitcoin no require confiar en la federación, pero el peg-out de L-BTC a BTC requiere autorización de la federación.\n- El nodo Bisq del ofertante necesita estar en línea ya que el proceso de toma de la oferta es interactivo\n- Como la transferencia fiat se realiza en sistemas tradicionales como las transferencias bancarias, hereda todos sus inconvenientes, como riesgo de reversión del pago, lentitud, o las exposiciones de detalles personales a la contraparte al compartir los datos de pago. Aunque estos inconvenientes pueden mitigarse utilizando métodos de pago que tengan bajo riesgo de reversión, sean rápidos o instantáneos y usen IDs de cuenta o correo electrónico en lugar de nombres reales. Ciertos métodos de pago evitan completamente el sistema bancario, como el efectivo por correo o la compra-venta en persona. + + +###################################################### +## BISQ_LIGHTNING +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING=Bisq Lightning +# suppress inspection "UnusedProperty" +tradeApps.overview.BISQ_LIGHTNING=Permite la compra-venta de Bitcoin en Lightning Network por Fiat combinando swaps submarinos y el protocolo Liquid MuSig +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.BISQ_LIGHTNING=LN-BTC/Fiat +# suppress inspection "UnusedProperty" +tradeApps.overview.security.BISQ_LIGHTNING=La seguridad se basa en fianzas así como en características adicionales en relación a limitar las cantidades de la compra-venta. Consulta la wiki de Bisq para más información. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.BISQ_LIGHTNING=Depende del método de transferencia Fiat utilizado. La transferencia fiat por internet normalmente revela la identidad a la contraparte. En el lado de Lightning, ofrece mejor privacidad que el Bitcoin en cadena ya que no deja rastros en la cadena. En el lado de Liquid, ofrece mejor privacidad que el Bitcoin en la red principal debido a las transacciones confidenciales. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.BISQ_LIGHTNING=El usuario necesita tener una pequeña cantidad de Bitcoin en Lightning para bloquear la fianza. Los swaps submarinos y las transacciones de la compra-venta se benefician del rápido tiempo de confirmación de la cadena de bloques de aproximadamente 1 minuto. El tiempo para completar el comercio depende del método de pago utilizado y del tiempo de respuesta de la contraparte. +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.subHeadline=Combina los swaps submarinos de Lightning a Liquid y el protocolo Liquid MuSig +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.overview=Permite que los usuarios utilicen su Bitcoin fuera de la cadena en Lightning para intercambiar con Fiat basado en el protocolo Liquid MuSig. El protocolo es una secuencia de 3 intercambios y 2 protocolos diferentes:\n- Primero, los usuarios intercambian su Bitcoin en Lightning a través de un swap submarino inverso a L-BTC (swap submarino entre Lightning y Liquid). Este intercambio se realiza con cualquier proveedor de liquidez, no con la contraparte.\n- Luego, la compra-venta en sí se realiza en Liquid utilizando el protocolo MuSig.\n- Una vez completada la operación, el L-BTC se intercambia de vuelta a Lightning mediante un swap submarino (nuevamente con otro proveedor de liquidez). +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.release=Se espera que Bisq Lightning esté listo para su lanzamiento en Q3/2025. +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.pro=+ Seguridad razonablemente buena para cantidades de valor medio\n+ Comparado con Bisq MuSig, las comisiones de transacción son más bajas, la confirmación es más rápida y la privacidad es superior.\n+ Lidia adecuadamente con el sistema tradicional del mundo Fiat +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.con=- Ambos usuarios necesitan tener BTC en Lightning para la fianza\n- La participación de 2 contrapartes adicionales para los Submarine Swaps añade complejidad y riesgos (más bien pequeños).\n- Liquid es una sidechain federada y no tiene el mismo nivel de resistencia a la censura que Bitcoin en la red principal.\n- El peg-in de Bitcoin a Liquid Bitcoin no require confiar en la federación, pero el peg-out de L-BTC a BTC requiere autorización de la federación.\n- El nodo Bisq del ofertabte necesita estar en línea ya que el proceso de toma de la oferta es interactivo\n- Como la transferencia fiat se realiza en sistemas tradicionales como las transferencias bancarias, hereda todos sus inconvenientes, como riesgo de reversión del pago, lentitud, o las exposiciones de detalles personales a la contraparte al compartir los datos de pago. Aunque estos inconvenientes pueden mitigarse utilizando métodos de pago que tengan bajo riesgo de reversión, sean rápidos o instantáneos y usen IDs de cuenta o correo electrónico en lugar de nombres reales. Ciertos métodos de pago evitan completamente el sistema bancario, como el efectivo por correo o la compra-venta en persona. + + +###################################################### +## LIQUID_SWAP +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP=Liquid Swaps +# suppress inspection "UnusedProperty" +tradeApps.overview.LIQUID_SWAP=Realiza compra-ventas de cualquier activo basado en Liquid como USDT o BTC-L con un swap atómico en la red Liquid +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.LIQUID_SWAP=Activos Liquid +# suppress inspection "UnusedProperty" +tradeApps.overview.security.LIQUID_SWAP=Seguridad máxima utilizando contratos inteligentes en una sola cadena de bloques +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.LIQUID_SWAP=Liquid soporta transacciones confidenciales, por lo tanto, no revela la cantidad en la cadena de bloques. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.LIQUID_SWAP=El usuario necesita instalar y configurar la cartera Elements para Liquid. Una vez instalada, es muy cómoda de usar. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.subHeadline=Protocolo de swaps atómico basado en la sidechain Liquid para realizar compra-ventas de cualquier activo Liquid +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.overview=Para utilizar los Liquid Swaps el usuario necesita instalar y ejecutar la cartera Elements y configurarla, para que pueda ser accesible desde la aplicación Bisq.\n\nEl activo más utilizado en Liquid es USDT (Tether), una moneda estable vinculada al USD. Aunque esto no es comparable con algo como Bitcoin, tiene muchas ventajas sobre el USD Fiat que suele implicar transferencias bancarias y todos los problemas e incomodidades derivados de su uso.\n\nL-BTC puede ser utilizado en el otro extremo del intercambio, que es un sustituto de Bitcoin en la cadena Liquid. Para convertir Bitcoin a L-BTC uno necesita enviar Bitcoin a una dirección de peg-in y recibirá después de 102 confirmaciones L-BTC por ello. Volver de L-BTC a Bitcoin (peg-out) funciona de manera similar, pero requiere autorización de la federación Liquid, que es un grupo de empresas e individuos en el espacio de Bitcoin. Por lo tanto, el proceso implica confiar en la federación.\n\nUno debería evitar comparar los activos Liquid con las propiedades de Bitcoin. Liquid está dirigido a otro casos de uso y no puede alcanzar el alto nivel de descentralización y resistencia a la censura de Bitcoin. Más bien puede verse como una alternativa a los productos financieros tradicionales. Al usar la tecnología blockchain evita intermediarios clásicos, mejora la seguridad y la privacidad y proporciona una mejor experiencia al usuario. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.release=Los intercambios Liquid todavía están en desarrollo. Se espera que sean lanzados en el Q3/2025. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.pro=+ Las transacciones confidenciales proporcionan buena privacidad\n+ Tiempo de confirmación rápido de aproximadamente 1 minuto\n+ Comisiones de transacción bajas\n+ Adecuado para transacciones de alto valor +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.con=- Requiere ejecutar la cartera y la cadena de bloques Elements\n- Ambos usuarios deben estar en línea\n- El peg-out de L-BTC implica confianza en la federación + + +###################################################### +## BSQ_SWAP +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP=BSQ Swaps +# suppress inspection "UnusedProperty" +tradeApps.overview.BSQ_SWAP=Compra-venta de Bitcoin y el token BSQ a través de swaps atómicos, de manera instantánea y segura +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.BSQ_SWAP=BSQ/BTC +# suppress inspection "UnusedProperty" +tradeApps.overview.security.BSQ_SWAP=Seguridad máxima utilizando un contrato inteligente en la misma cadena de bloques. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.BSQ_SWAP=Sujeto a las limitaciones de privacidad de Bitcoin y al comportamiento del usuario (evitar mezclar bitcoin de múltiples compra-ventas aumenta la privacidad). BSQ tiene potencialmente menos privacidad debido al menor conjunto de anonimato. Consulte la wiki de Bisq para más información. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.BSQ_SWAP=El usuario necesita instalar y configurar la cartera BSQ. Una vez instalada, es muy cómoda de usar. +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.subHeadline=Swap atómico entre BSQ (moneda coloreada en Bitcoin) y Bitcoin +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.overview=Mismo modelo que se utiliza en Bisq 1. Como se basa en una única transacción atómica, es muy seguro.\nSerá necesario ejecutar el nodo Bisq 1 con la API de la DAO habilitada. +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.release=Se espera que los BSQ Swaps estén listos para su lanzamiento en el Q4/2025. +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.pro=+ Muy seguro\n+ Relativamente rápido, aunque solo la compra-venta solo se considera como completada después de la confirmación de la cadena de bloques\n+ No requiere transacción de comisión para crear la oferta ni fianza +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.con=- Necesidad de ejecutar Bisq 1 para los datos BSQ/DAO\n- Limitado al mercado BSQ/BTC + + +###################################################### +## LIGHTNING_ESCROW +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW=Lightning Escrow +# suppress inspection "UnusedProperty" +tradeApps.overview.LIGHTNING_ESCROW=Protocolo de compra-venta basado en un escrow en la red Lightning utilizando criptografía de cálculo multiparte +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.LIGHTNING_ESCROW=LN-BTC/Fiat +# suppress inspection "UnusedProperty" +tradeApps.overview.security.LIGHTNING_ESCROW=La seguridad se basa en depósitos de seguridad así como en características adicionales en relación a limitar las cantidades de la compra-venta. El protocolo utiliza algunas técnicas criptográficas novedosas con poco uso en el entornos reales y pendientes de auditar. Consulte la wiki de Bisq para más información. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.LIGHTNING_ESCROW=Depende del método de transferencia Fiat utilizado. La transferencia fiat por internet normalmente revela la identidad a la contraparte. En el lado de Bitcoin, está sujeto a las limitaciones de privacidad de Bitcoin y depende del comportamiento del usuario (evitar mezclar bitcoin de diferentes compra-ventas aumenta la privacidad). Consulta la wiki de Bisq para más información. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.LIGHTNING_ESCROW=El usuario necesita tener una pequeña cantidad de Bitcoin para bloquear la fianza. +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.subHeadline=Protocolo de tres partes para intercambiar Fiat por Bitcoin en la Red Lightning. +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.overview=Se basa en múltiples pagos de Lightning y divide los secretos para los HTLCs para construir una configuración segura en la la tercera parte garantiza que los usuarios se comporten de manera justa. Utiliza circuitos enmascarados para lograr una computación segura entre múltiples partes.\n\nEl usuario necesita ejecutar un nodo de Lightning que esté configurado con la aplicación Bisq.\n\nConceptualmente es similar al protocolo Bisq MuSig, pero en lugar de la transacción MuSig utiliza esta configuración de 3 partes y en lugar de Bitcoin en cadena utiliza Bitcoin en la Red Lightning. +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.release=Se espera que el Escrow Lightning esté listo para su lanzamiento en el Q4/2025. +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.pro=+ En comparación con Bisq Easy, las propiedades de seguridad son mejores y se pueden manejar cantidades mayores. Las cantidades mayores acercan los precios de las compra-ventas al precio de mercado.\n+ Los pagos de Bitcoin son casi instantáneos\n+ Comisiones de transacción (de enrutamiento) muy bajas +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.con=- Necesidad de ejecutar un nodo Lightning\n- Ambos usuarios necesitan tener BTC (en Lightning) para la fianza.\n- El nodo Bisq del creador necesita estar en línea ya que el proceso de aceptación de la oferta es interactivo.\n- Como la transferencia fiat se realiza en sistemas tradicionales como las transferencias bancarias, hereda todos sus inconvenientes, como riesgo de reversión del pago, lentitud, o las exposiciones de detalles personales a la contraparte al compartir los datos de pago. Aunque estos inconvenientes pueden mitigarse utilizando métodos de pago que tengan bajo riesgo de reversión, sean rápidos o instantáneos y usen IDs de cuenta o correo electrónico en lugar de nombres reales. Ciertos métodos de pago evitan completamente el sistema bancario, como el efectivo por correo o la compra-venta en persona. + + +###################################################### +## MONERO_SWAP +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP=Monero Swaps +# suppress inspection "UnusedProperty" +tradeApps.overview.MONERO_SWAP=Compra-venta de Bitcoin y Monero mediante un swap atómico entre cadenas +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.MONERO_SWAP=XMR/BTC +# suppress inspection "UnusedProperty" +tradeApps.overview.security.MONERO_SWAP=Gran seguridad utilizando firmas adaptativas para hacer swaps atómicos entre las cadenas de bloques de Monero y Bitcoin. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.MONERO_SWAP=Muy alta en el lado de Monero debido a su fuerte privacidad inherente. En el lado de Bitcoin, está sujeta a las limitaciones de privacidad de Bitcoin. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.MONERO_SWAP=El usuario necesita instalar el daemon de swaps Farcaster y un nodo completo de Monero y Bitcoin. Una vez instalado, es muy cómodo. +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.subHeadline=Protocolo de swaps atómicos entre cadenas para comerciar Bitcoin con Monero +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.overview=Basado en el proyecto Farcaster (financiado por la comunidad de Monero) utilizando hash time lock contracts (HTLC), firmas adaptativas y pruebas de conocimiento cero para hacer swaps atómicos entre Bitcoin y Monero.\n\nEl usuario necesita instalar y ejecutar un nodo de Bitcoin, un nodo de Monero y el daemon de Farcaster. Durante el intercambio, los nodos de ambos usuarios necesitan estar en línea. El esfuerzo adicional al usar este protocolo se compensa con un nivel muy alto de seguridad. Aunque los usuarios deben familiarizarse con los detalles de ese concepto y ser conscientes de que hay situaciones excepcionales que conllevan algunos pequeños riesgos. +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.release=Se espera que los Monero Swaps estén listos para su lanzamiento en el Q4/2025. +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.pro=+ Muy seguro\n+ Privacidad decente. En el lado de Bitcoin, está sujeto a las propiedades de privacidad de Bitcoin. En el lado de Monero, se beneficia de la alta privacidad de Monero.\n+ Adecuado para transacciones de alto valor +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.con=- Requiere algunas habilidades técnicas y experiencia para ejecutar la infraestructura requerida\n- El tiempo de confirmación se basa en las confirmaciones en ambas cadenas de bloques, que normalmente serán de unos 20-30 minutos.\n- Las comisiones de transacción en el lado de Bitcoin podrían ser significativas en caso de alta congestión de la cadena de bloques (aunque esto es poco frecuente)\n- Ambos usuarios necesitan estar en línea\n- Requiere mucho almacenamiento con discos rápidos para los nodos diff --git a/shared/domain/src/commonMain/resources/mobile/trade_apps_it.properties b/shared/domain/src/commonMain/resources/mobile/trade_apps_it.properties new file mode 100644 index 00000000..7f9b0b52 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/trade_apps_it.properties @@ -0,0 +1,265 @@ +###################################################### +## Trade protocols +###################################################### +tradeApps.compare=Confronta i protocolli +tradeApps.bisqMuSig=Bisq MuSig +tradeApps.subMarine=Submarine Swaps +tradeApps.bisqLightning=Bisq Lightning +tradeApps.more=Altro + +tradeApps.comingSoon=Prossimamente +tradeApps.select=Seleziona +tradeApps.release=Versione +tradeApps.security=Sicurezza +tradeApps.markets=Mercati +tradeApps.privacy=Privacy +tradeApps.convenience=Convenienza +tradeApps.overview=Panoramica Generale +tradeApps.tradeOffs=Pro/Contro + +tradeApps.overview.headline=Scopri il modo migliore per fare trading di Bitcoin +tradeApps.overview.subHeadline=Un protocollo di trading rappresenta il fondamento per scambiare Bitcoin in modo sicuro. Ogni protocollo di trading presenta un proprio insieme di vantaggi e compromessi che comprendono sicurezza, privacy e comodità.\nBisq ti offre la flessibilità di selezionare il protocollo ottimale in linea con le tue preferenze.\n\nEsplora i prossimi protocolli di trading previsti per l'integrazione in Bisq. Al momento, Bisq Easy è l'unico protocollo implementato, pensato per utenti Bitcoin alle prime armi e adatto per scambi di importi minori. Resta aggiornato se qualche protocollo in arrivo cattura la tua attenzione. + +tradeApps.overview.more=Inoltre, ci sono altri protocolli in arrivo, previsti per futura implementazione. + + +###################################################### +## BISQ_EASY +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.BISQ_EASY=Bisq Easy +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.BISQ_EASY=BTC/Fiat +# suppress inspection "UnusedProperty" +tradeApps.overview.BISQ_EASY=Protocollo di scambio basato su chat facile da usare. La sicurezza si basa sulla reputazione del venditore. +# suppress inspection "UnusedProperty" +tradeApps.overview.security.BISQ_EASY=La sicurezza si basa sulla reputazione dei venditori. Adatta solo per piccole quantità. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.BISQ_EASY=Dipende dal metodo di trasferimento fiat utilizzato. Il trasferimento fiat online di solito rivela l'identità al compagno di scambio. Sul lato Bitcoin è limitato dalle restrizioni sulla privacy di Bitcoin e dipende dal comportamento dell'utente (evitare la combinazione di monete di più scambi aumenta la privacy). Consulta la wiki di Bisq per maggiori informazioni. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.BISQ_EASY=Interfaccia chat molto facile da usare. Il compratore di Bitcoin non ha bisogno di possedere Bitcoin. + +###################################################### +## BISQ_MU_SIG +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG=Bisq MuSig +# suppress inspection "UnusedProperty" +tradeApps.overview.BISQ_MU_SIG=Il protocollo MuSig di Bisq richiede solo una transazione grazie a MuSig, Atomic Swaps e Taproot. +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.BISQ_MU_SIG=BTC/Fiat +# suppress inspection "UnusedProperty" +tradeApps.overview.security.BISQ_MU_SIG=La sicurezza si basa sui depositi di sicurezza e su funzionalità aggiuntive in relazione ai limiti di scambio. Consulta la wiki di Bisq per maggiori informazioni. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.BISQ_MU_SIG=Dipende dal metodo di trasferimento fiat utilizzato. Il trasferimento fiat online di solito rivela l'identità al compagno di scambio. Sul lato Bitcoin è limitato dalle restrizioni sulla privacy di Bitcoin e dipende dal comportamento dell'utente (evitare la combinazione di monete di più scambi aumenta la privacy). Consulta la wiki di Bisq per maggiori informazioni. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.BISQ_MU_SIG=L'utente deve avere una piccola quantità di Bitcoin per bloccare il deposito di sicurezza. Può essere veloce come il tempo di conferma della blockchain o richiedere alcuni giorni a seconda del metodo di pagamento fiat. + +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.subHeadline=Basato su MuSig, Atomic swaps e Taproot, richiede solo una transazione +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.overview=Concettualmente segue il protocollo di scambio utilizzato in Bisq 1, basato su un deposito di sicurezza e un processo di risoluzione delle controversie.\n- Riduce il numero di transazioni da 4 a 1.\n- Migliora la privacy facendo apparire la transazione di deposito come una transazione standard 'pay-to-pubKey-hash'.\n- Evita il problema che un venditore deve aprire una controversia nel caso in cui l'acquirente non rilasci il deposito di sicurezza dopo lo scambio. Gli Atomic swaps garantiranno al venditore di recuperare il proprio deposito anche senza la cooperazione dell'acquirente.\n- In caso di un partner di scambio non rispondente, una struttura di transazione a più fasi garantisce che non sia necessaria alcuna controversia e rimborso da parte della DAO.\n- Taproot offre maggiore flessibilità e privacy.\n- Scopri ulteriori dettagli su: https://github.com/bisq-network/proposals/issues/456 +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.release=Bisq MuSig è previsto per il rilascio nel Q2/2025. +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.pro=+ Sicurezza ragionevolmente buona per importi commerciali di valore medio\n+ Rispetto a Bisq Easy, le proprietà di sicurezza sono migliori e possono essere scambiati importi più elevati. Gli importi più elevati avvicinano i prezzi di scambio ai tassi di mercato.\n+ Riesce a gestire il sistema legacy del mondo fiat +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.con=- Entrambi i trader devono avere BTC per il deposito di sicurezza\n- Il nodo Bisq del maker deve essere online poiché il processo di accettazione dell'offerta è interattivo\n- Poiché il trasferimento fiat avviene su sistemi legacy come i bonifici bancari, eredita tutti quei drawback, come il rischio di chargeback, il trasferimento lento, l'esposizione della privacy al compagno di scambio quando i dettagli del bonifico bancario contengono il vero nome. Anche se questi vari inconvenienti possono essere mitigati utilizzando metodi di pagamento che comportano un basso rischio di chargeback, sono veloci o istantanei e utilizzano ID account o email invece di nomi reali. Certi metodi di pagamento evitano completamente il sistema bancario come il contante per posta o il trading faccia a faccia. + + +###################################################### +## SUBMARINE +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE=Scambi Subacquei +# suppress inspection "UnusedProperty" +tradeApps.overview.SUBMARINE=Scambio tra Bitcoin sulla rete Lightning e Bitcoin on-chain +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.SUBMARINE=LN-BTC/BTC +# suppress inspection "UnusedProperty" +tradeApps.overview.security.SUBMARINE=Lo swap atomico fornisce un livello molto elevato di sicurezza. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.SUBMARINE=Gli scambi possono potenzialmente migliorare la privacy rompendo le tracce per l'analisi della blockchain. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.SUBMARINE=L'utente deve installare e configurare un portafoglio Lightning. Una volta installato, è molto conveniente da usare. +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.subHeadline=Gli scambi subacquei consentono lo scambio sicuro di Bitcoin off-chain e on-chain senza rischio di controparte +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.overview=Lo scambio avviene utilizzando il segreto di un contratto hash time-locked (HTLC) nella rete Lightning per un contratto in una transazione Bitcoin. Rivendicando il pagamento Lightning, il segreto per rivendicare il Bitcoin on-chain viene rivelato al mittente del pagamento Lightning. Questo garantisce che un pagamento sblocchi l'altro pagamento, consentendo quindi uno scambio senza rischio di controparte. +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.release=Submarine swaps è previsto per il rilascio nel Q3/2025. +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.pro=+ Sicurezza molto elevata per grandi quantità commerciali\n+ Lo scambio di Bitcoin on-chain a Lightning può potenzialmente migliorare la privacy.\n+ Lo scambio può essere fatto tramite trading bot, consentendo scambi veloci e automatizzati. +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.con=- Le commissioni di mining per la transazione Bitcoin possono rendere economici gli scambi di piccole dimensioni\n- I trader devono prestare attenzione ai timeout delle transazioni. In caso di congestione della blockchain e conferme ritardate, ciò può rappresentare un rischio per la sicurezza. + + +###################################################### +## LIQUID_MU_SIG +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG=Liquid MuSig +# suppress inspection "UnusedProperty" +tradeApps.overview.LIQUID_MU_SIG=Il protocollo MuSig di Bisq portato alla side chain Liquid +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.LIQUID_MU_SIG=L-BTC/Fiat +# suppress inspection "UnusedProperty" +tradeApps.overview.security.LIQUID_MU_SIG=La sicurezza si basa sui depositi di sicurezza e su funzionalità aggiuntive in relazione ai limiti di scambio. Consulta la wiki di Bisq per maggiori informazioni. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.LIQUID_MU_SIG=Dipende dal metodo di trasferimento Fiat utilizzato. Il trasferimento Fiat online di solito rivela l'identità al compagno di scambio. Sul lato Liquid ha una migliore privacy rispetto al Bitcoin mainnet grazie alle transazioni confidenziali. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.LIQUID_MU_SIG=L'utente deve avere una piccola quantità di L-BTC per bloccare il deposito di sicurezza. La conferma sulla blockchain Liquid è molto veloce (circa 1 minuto). Il tempo per lo scambio dipende dal metodo di pagamento utilizzato e dal tempo di risposta del trader. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.subHeadline=Basato su un deposito di sicurezza, una transazione MuSig e un processo multilivello di risoluzione delle controversie +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.overview=Concettualmente segue il protocollo MuSig di Bisq (sulla mainnet di Bitcoin). Liquid non ha le stesse proprietà di censura di Bitcoin, ma offre alcuni vantaggi rispetto alla mainnet di Bitcoin:\n- Liquid ha un tempo di conferma dei blocchi molto breve, di circa 1 minuto.\n- Le commissioni di transazione sono molto basse.\n- La privacy è migliorata grazie alle transazioni riservate che nascondono l'importo inviato. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.release=Liquid MuSig è previsto per il rilascio nel Q3/2025. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.pro=+ Sicurezza ragionevolmente buona per importi di scambio di valore medio\n+ Rispetto a Bisq MuSig, le commissioni di transazione sono più basse, la conferma è più veloce e la privacy è migliore.\n+ Gestisce il sistema legacy del mondo Fiat +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.con=- Entrambi i trader devono avere L-BTC per il deposito di sicurezza\n- Liquid è una sidechain federata e non ha lo stesso livello di resistenza alla censura del Bitcoin mainnet.\n- L'ingresso da Bitcoin mainnet a Liquid Bitcoin è senza trust, ma per l'uscita da L-BTC a BTC richiede l'autorizzazione della federazione.\n- Il nodo Bisq del maker deve essere online poiché il processo di accettazione dell'offerta è interattivo\n- Poiché il trasferimento Fiat avviene su sistemi legacy come i bonifici bancari, eredita tutti quei drawback, come il rischio di chargeback, il trasferimento lento, l'esposizione della privacy al compagno di scambio quando i dettagli del bonifico bancario contengono il vero nome. Anche se questi vari inconvenienti possono essere mitigati utilizzando metodi di pagamento che comportano un basso rischio di chargeback, sono veloci o istantanei e utilizzano ID account o email invece di nomi reali. Certi metodi di pagamento evitano completamente il sistema bancario come il contante per posta o il trading faccia a faccia. + + +###################################################### +## BISQ_LIGHTNING +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING=Bisq Lightning +# suppress inspection "UnusedProperty" +tradeApps.overview.BISQ_LIGHTNING=Consente lo scambio di Bitcoin sulla Lightning Network con Fiat combinando i Submarine swaps e il protocollo Liquid MuSig +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.BISQ_LIGHTNING=LN-BTC/Fiat +# suppress inspection "UnusedProperty" +tradeApps.overview.security.BISQ_LIGHTNING=La sicurezza si basa sui depositi di sicurezza e su funzionalità aggiuntive in relazione ai limiti di scambio. Consulta la wiki di Bisq per maggiori informazioni. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.BISQ_LIGHTNING=Dipende dal metodo di trasferimento Fiat utilizzato. Il trasferimento Fiat online di solito rivela l'identità al compagno di scambio. Sul lato Lightning ha una migliore privacy rispetto al Bitcoin on-chain in quanto non lascia tracce sulla blockchain. Sul lato Liquid ha una migliore privacy rispetto al Bitcoin mainnet grazie alle transazioni confidenziali. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.BISQ_LIGHTNING=L'utente deve avere una piccola quantità di Bitcoin sulla Lightning Network per bloccare il deposito di sicurezza. I Submarine swaps e le transazioni di scambio beneficiano del rapido tempo di conferma della blockchain, di circa 1 minuto. Il tempo per il trade dipende dal metodo di pagamento utilizzato e dal tempo di risposta del trader. +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.subHeadline=Combina Submarine swaps dalla Lightning a Liquid e il protocollo Liquid MuSig +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.overview=Consente ai trader di utilizzare i loro Bitcoin off-chain sulla Lightning Network per scambiare con Fiat basato sul protocollo Liquid MuSig. Il protocollo è una catena di 3 scambi e 2 protocolli diversi:\n- Inizialmente, i trader scambiano i loro Bitcoin Lightning tramite uno swap inverso in L-BTC (Submarine swap tra Lightning e Liquid). Questo swap avviene con qualsiasi fornitore di liquidità, non con il peer di trading.\n- Poi il trade avviene su Liquid utilizzando il protocollo MuSig.\n- Una volta completato il trade, l'L-BTC viene scambiato di nuovo in Lightning tramite un Submarine swap (ancora una volta con un altro trader/fornitore di liquidità). +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.release=Si prevede che Bisq Lightning sarà pronto per il rilascio nel Q3/2025. +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.pro=+ Sicurezza ragionevolmente buona per importi di trade di valore medio\n+ Rispetto al Bisq MuSig, ci sono commissioni di transazione più basse, conferma più veloce e migliore privacy.\n+ Gestisce il sistema legacy del mondo Fiat +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.con=- Entrambi i trader devono avere BTC sulla Lightning per il deposito di sicurezza\n- Il coinvolgimento di 2 trader aggiuntivi per gli scambi Submarine aggiunge complessità e potenziali (piuttosto piccoli) rischi.\n- Liquid è una sidechain federata e non ha lo stesso livello di resistenza alla censura del Bitcoin mainnet.\n- L'ingresso da Bitcoin mainnet a Liquid Bitcoin è senza trust, ma per l'uscita da L-BTC a BTC richiede l'autorizzazione della federazione.\n- Il nodo Bisq del maker deve essere online poiché il processo di accettazione dell'offerta è interattivo\n- Poiché il trasferimento Fiat avviene su sistemi legacy come i bonifici bancari, eredita tutti quei drawback, come il rischio di chargeback, il trasferimento lento, l'esposizione della privacy al compagno di scambio quando i dettagli del bonifico bancario contengono il vero nome. Anche se questi vari inconvenienti possono essere mitigati utilizzando metodi di pagamento che comportano un basso rischio di chargeback, sono veloci o istantanei e utilizzano ID account o email invece di nomi reali. Certi metodi di pagamento evitano completamente il sistema bancario come il contante per posta o il trading faccia a faccia. + + +###################################################### +## LIQUID_SWAP +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP=Scambi Liquid +# suppress inspection "UnusedProperty" +tradeApps.overview.LIQUID_SWAP=Scambia qualsiasi asset basato su Liquid come USDT e BTC-L con uno scambio atomico sulla rete Liquid +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.LIQUID_SWAP=Asset Liquidi +# suppress inspection "UnusedProperty" +tradeApps.overview.security.LIQUID_SWAP=Sicurezza assoluta utilizzando smart contract sulla stessa blockchain. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.LIQUID_SWAP=Liquid supporta transazioni confidenziali, non rivelando quindi l'importo sulla blockchain. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.LIQUID_SWAP=L'utente deve installare e configurare il portafoglio Elements per Liquid. Una volta installato, è molto comodo da usare. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.subHeadline=Protocollo di scambio basato su atomic swap sulla sidechain Liquid per scambiare qualsiasi asset Liquid +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.overview=Per utilizzare gli scambi Liquid, l'utente deve installare ed eseguire il portafoglio Elements e configurarlo in modo che possa essere accessibile dall'applicazione Bisq.\n\nL'asset più utilizzato su Liquid è USDT (Tether), una stablecoin ancorata al dollaro USA. Anche se non è paragonabile a qualcosa come Bitcoin, ha molti vantaggi rispetto al Fiat USD, che coinvolge di solito bonifici bancari con tutti i problemi e l'inconveniente del sistema Fiat legacy.\n\nL-BTC potrebbe essere utilizzato dall'altro lato dello scambio, che è un sostituto di Bitcoin sulla chain Liquid. Per convertire Bitcoin in L-BTC, è necessario inviare Bitcoin a un indirizzo di peg-in e si riceverà dopo 102 conferme L-BTC per quello. Tornare da L-BTC a Bitcoin (peg-out) funziona in modo simile, ma richiede l'autorizzazione della federazione Liquid, che è un gruppo di aziende e individui nello spazio Bitcoin. Quindi non è un processo completamente senza trust.\n\nSi dovrebbe evitare di confrontare gli asset Liquid con le proprietà di Bitcoin. Si rivolge ad altri casi d'uso e non può soddisfare l'alto livello di decentralizzazione e resistenza alla censura di Bitcoin. Può essere considerato piuttosto come un'alternativa ai prodotti finanziari tradizionali. Utilizzando la tecnologia blockchain, evita intermediari classici, migliora sicurezza e privacy e fornisce una migliore esperienza utente. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.release=Gli scambi Liquid sono ancora in fase di sviluppo. Si prevede che saranno rilasciati nel Q3/2025. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.pro=+ Le transazioni confidenziali forniscono una buona privacy\n+ Tempo di conferma veloce di circa 1 minuto\n+ Commissioni di transazione basse\n+ Adatto per transazioni di valore elevato +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.con=- Richiede l'esecuzione del portafoglio Elements e della blockchain\n- Entrambi i trader devono essere online\n- Il peg-out da L-BTC non è senza trust + + +###################################################### +## BSQ_SWAP +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP=Scambi BSQ +# suppress inspection "UnusedProperty" +tradeApps.overview.BSQ_SWAP=Scambia Bitcoin e il token BSQ tramite atomic swaps, istantaneamente e in sicurezza +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.BSQ_SWAP=BSQ/BTC +# suppress inspection "UnusedProperty" +tradeApps.overview.security.BSQ_SWAP=Sicurezza assoluta utilizzando smart contract sulla stessa blockchain. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.BSQ_SWAP=Vincolato dalle limitazioni della privacy di Bitcoin e dipende dal comportamento dell'utente (evitare il merge delle monete di scambi multipli aumenta la privacy). BSQ ha potenzialmente meno privacy a causa del set di anonimato più piccolo. Consulta la wiki di Bisq per maggiori informazioni. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.BSQ_SWAP=L'utente deve installare e configurare il portafoglio BSQ. Una volta installato, è molto comodo da usare. +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.subHeadline=Atomic swap tra BSQ (colored coin su Bitcoin) e Bitcoin +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.overview=Lo stesso modello utilizzato in Bisq 1. Poiché si basa su una singola transazione atomica, è molto sicuro.\nRichiederà di eseguire il nodo Bisq 1 con l'API DAO abilitata. +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.release=Si prevede che gli scambi BSQ saranno pronti per il rilascio nel Q4/2025. +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.pro=+ Molto sicuro\n+ Relativamente veloce, anche se solo dopo la conferma sulla blockchain il trade è considerato completo\n+ Nessuna transazione di fee maker e nessun deposito di sicurezza richiesto +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.con=- Bisogno di eseguire Bisq 1 per i dati BSQ/DAO\n- Limitato al mercato BSQ/BTC + + +###################################################### +## LIGHTNING_ESCROW +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW=Escrow Lightning +# suppress inspection "UnusedProperty" +tradeApps.overview.LIGHTNING_ESCROW=Protocollo di scambio basato sull'escrow sulla rete Lightning utilizzando crittografia di calcolo multiparte +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.LIGHTNING_ESCROW=LN-BTC/Fiat +# suppress inspection "UnusedProperty" +tradeApps.overview.security.LIGHTNING_ESCROW=La sicurezza si basa sui depositi di sicurezza oltre a funzionalità aggiuntive relative ai limiti di scambio. Il protocollo utilizza alcune tecniche crittografiche innovative che non sono state testate sul campo e sottoposte ad audit. Consultare la wiki di Bisq per maggiori informazioni. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.LIGHTNING_ESCROW=Dipende dal metodo di trasferimento Fiat utilizzato. Il trasferimento Fiat online di solito rivela l'identità al peer commerciale. Sul lato Bitcoin è limitato dalle limitazioni della privacy di Bitcoin e dipende dal comportamento dell'utente (evitare il merge di monete di scambi multipli aumenta la privacy). Consultare la wiki di Bisq per maggiori informazioni. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.LIGHTNING_ESCROW=L'utente deve avere una piccola quantità di Bitcoin per bloccare il deposito di sicurezza. +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.subHeadline=Protocollo a tre parti per scambiare Fiat con Bitcoin sulla rete Lightning. +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.overview=Si basa su più pagamenti Lightning e suddivide i segreti per gli HTLCs per costruire un setup sicuro in cui una terza parte garantisce che i trader si comportino in modo corretto. Utilizza circuiti offuscati per ottenere un calcolo sicuro tra più parti.\n\nL'utente deve eseguire un nodo Lightning configurato con l'applicazione Bisq.\n\nConcettualmente è simile al protocollo Bisq MuSig, ma invece della transazione MuSig utilizza questo setup a 3 parti e invece di Bitcoin on-chain utilizza Bitcoin sulla Lightning Network. +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.release=Si prevede che Lightning Escrow sarà pronto per il rilascio nel Q4/2025. +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.pro=+ Rispetto a Bisq Easy le proprietà di sicurezza sono migliori e possono essere scambiati importi più elevati. Gli importi più elevati avvicinano i prezzi degli scambi ai tassi di mercato.\n+ I pagamenti Bitcoin sono quasi istantanei\n+ Commissioni di transazione (di routing) molto basse +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.con=- È necessario eseguire un nodo Lightning\n- Entrambi i trader devono avere BTC (su Lightning) per il deposito di sicurezza.\n- Il nodo Bisq del maker deve essere online poiché il processo di offerta è interattivo.\n- Poiché il trasferimento Fiat è effettuato su sistemi legacy come i bonifici bancari, eredita tutti gli svantaggi, come il rischio di chargeback, trasferimenti lenti, esposizione della privacy al peer quando i dettagli del bonifico bancario contengono il vero nome. Tuttavia, questi vari svantaggi possono essere mitigati utilizzando metodi di pagamento a basso rischio di chargeback, veloci o istantanei e utilizzando ID account o email invece di nomi reali. Certi metodi di pagamento evitano completamente il sistema bancario come il cash-by-mail o lo scambio faccia a faccia. + + +###################################################### +## MONERO_SWAP +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP=Scambi Monero +# suppress inspection "UnusedProperty" +tradeApps.overview.MONERO_SWAP=Scambia Bitcoin e Monero utilizzando uno swap atomico cross-chain +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.MONERO_SWAP=XMR/BTC +# suppress inspection "UnusedProperty" +tradeApps.overview.security.MONERO_SWAP=Sicurezza molto elevata utilizzando firme adattative per scambiare atomicamente tra le blockchain Monero e Bitcoin. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.MONERO_SWAP=Molto elevata sul lato Monero grazie alla sua forte privacy intrinseca. Sul lato Bitcoin è limitata dalle limitazioni della privacy di Bitcoin. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.MONERO_SWAP=L'utente deve installare il daemon Farcaster swap e un nodo completo di Monero e Bitcoin. Una volta installato, è molto conveniente. +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.subHeadline=Protocollo atomico di swap cross-chain per scambiare Bitcoin con Monero +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.overview=Basato sul progetto Farcaster (finanziato dalla comunità Monero) che utilizza contratti con timelock hashati (HTLC), firme adattative e proof zero-knowledge per scambiare atomicamente Bitcoin e Monero.\n\nL'utente deve installare ed eseguire un nodo Bitcoin, un nodo Monero e il daemon Farcaster. Durante lo swap, i nodi di entrambi i trader devono essere online. Lo sforzo extra nell'utilizzo di questo protocollo è ripagato con un livello di sicurezza molto elevato. Gli utenti dovrebbero familiarizzare con i dettagli di questo concetto e essere consapevoli che ci sono casi limite che comportano alcuni piccoli rischi. +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.release=Si prevede che gli scambi Monero saranno pronti per il rilascio nel Q4/2025. +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.pro=+ Molto sicuro\n+ Buona privacy. Sul lato Bitcoin eredita le proprietà di privacy di Bitcoin. Sul lato Monero beneficia dell'alta privacy di Monero.\n+ Adatto per transazioni di alto valore +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.con=- Richiede alcune competenze tecniche ed esperienza per eseguire l'infrastruttura richiesta\n- Il tempo di conferma si basa sulle conferme su entrambe le blockchain, che di solito saranno di circa 20-30 minuti.\n- Le commissioni di transazione sul lato Bitcoin potrebbero non essere trascurabili in caso di congestione elevata della blockchain (piuttosto rara, però)\n- Entrambi i trader devono essere online\n- Richiede molto spazio disco veloce per i nodi diff --git a/shared/domain/src/commonMain/resources/mobile/trade_apps_pcm.properties b/shared/domain/src/commonMain/resources/mobile/trade_apps_pcm.properties new file mode 100644 index 00000000..d5540c58 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/trade_apps_pcm.properties @@ -0,0 +1,265 @@ +###################################################### +## Trade protocols +###################################################### +tradeApps.compare=Compare protocols +tradeApps.bisqMuSig=Bisq MuSig +tradeApps.subMarine=Submarine Swaps +tradeApps.bisqLightning=Bisq Lightning +tradeApps.more=More + +tradeApps.comingSoon=Coming soon +tradeApps.select=Select +tradeApps.release=Release +tradeApps.security=Security +tradeApps.markets=Markit chanel +tradeApps.privacy=Privacy +tradeApps.convenience=Convenience +tradeApps.overview=Overview +tradeApps.tradeOffs=Pro/Con + +tradeApps.overview.headline=Find out di best way to trayd Bitcoin +tradeApps.overview.subHeadline=Trade protocol serve as di fundamental framework to trade Bitcoin for secure way. Each trade protocol get im own set of advantage and trade-offs wey dey include security, privacy, and convenience.\nBisq give you di ability to select di protocol wey go work well with your preference.\n\nExplore di upcoming trade protocols wey dem wan integrate inside Bisq. As e dey now, Bisq Easy na di only protocol wey dem don implement, e dey target novice Bitcoin users and e fit work well for small trade amounts. Keep eye as more update fit come if any of di upcoming protocol catch your interest. + +tradeApps.overview.more=Additionally, dem get more protocols wey dem wan integrate for future. + + +###################################################### +## BISQ_EASY +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.BISQ_EASY=Bisq Easy +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.BISQ_EASY=BTC/Fiat +# suppress inspection "UnusedProperty" +tradeApps.overview.BISQ_EASY=Easy to use chat-based trade protocol. Security dey based on seller's reputation +# suppress inspection "UnusedProperty" +tradeApps.overview.security.BISQ_EASY=Security dey based on seller's reputation. E only fit well for small amounts. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.BISQ_EASY=Depends on di fiat transfer method wey dem use. Online fiat transfer usually go reveal identity to di trade peer. For di Bitcoin side, e dey limited by Bitcoin's privacy limitations and e dey depend on user behavior (avoiding coin merge of multiple trades go increase privacy). See Bisq wiki for more information. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.BISQ_EASY=Very easy to use chat interface. Bitcoin buyer no need get Bitcoin. + +###################################################### +## BISQ_MU_SIG +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG=Bisq MuSig +# suppress inspection "UnusedProperty" +tradeApps.overview.BISQ_MU_SIG=The Bisq MuSig protocol requires only one transaction thanks to MuSig, Atomic Swaps and Taproot. +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.BISQ_MU_SIG=BTC/Fiat +# suppress inspection "UnusedProperty" +tradeApps.overview.security.BISQ_MU_SIG=Security dey based on security deposits and other features wey relate to trade limits. Check Bisq wiki for more information. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.BISQ_MU_SIG=Depends on di Fiat transfer method wey dem use. Online Fiat transfer usually go reveal identity to di trade peer. For di Bitcoin side, e dey limited by Bitcoin's privacy limitations and e dey depend on user behavior (avoiding coin merge of multiple trades go increase privacy). See Bisq wiki for more information. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.BISQ_MU_SIG=The user need get small amount of Bitcoins to lock up security deposit. E fit be as fast as blockchain confirmation time or take some days depending on the Fiat payment method. + +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.subHeadline=Based on MuSig, Atomic swaps and Taproot, e require only one transaction +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.overview=Conceptually, e follow di trade protocol wey dey used for Bisq 1, based on security deposit and dispute resolution process.\n- E reduce di number of transactions from 4 to 1.\n- E improve privacy by making di deposit transaction look like standard 'pay-to-pubKey-hash' transaction.\n- E avoid di problem wey seller go need open arbitration if di buyer no release di security deposit after di trade. Atomic swaps go ensure di seller fit get dem deposit back even without di buyer cooperation.\n- If trade peer no dey respond, multi-stage payout transaction structure go ensure say no arbitration and reimbursement by di DAO dey required.\n- Taproot dey provide more flexibility and privacy.\n- Find out more details at: https://github.com/bisq-network/proposals/issues/456 +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.release=Bisq MuSig is expected to be ready for release in Q2/2025. +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.pro=+ Good security for medium-value trades\n+ Compared to Bisq Easy, e get better security properties, and higher amounts fit trade. The higher amounts dey bring trade prices closer to market rates.\n+ E fit manage the legacy system of the Fiat world +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.con=- Both traders need to get BTC for security deposit\n- The maker's Bisq node need dey online as the take-offer process na interactive one\n- Since the Fiat transfer dey done for legacy systems like bank transfers, e inherit all the drawbacks, like chargeback risk, slow transfer, and privacy exposure to peer when bank transfer details carry real name. Though, those various drawbacks fit reduce by using payment methods wey get low chargeback risk, fast or instant transfer, and use account IDs or email instead of real names. Some payment methods no dey use banking system at all, like cash-by-mail or face-to-face trading. + + +###################################################### +## SUBMARINE +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE=Submarine Swaps +# suppress inspection "UnusedProperty" +tradeApps.overview.SUBMARINE=Swap between Bitcoin for Lightning network to on-chain Bitcoin +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.SUBMARINE=LN-BTC/BTC +# suppress inspection "UnusedProperty" +tradeApps.overview.security.SUBMARINE=Atomic swap dey provide very high level of security. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.SUBMARINE=Swaps fit potentially improve privacy by break traces for chain analysis. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.SUBMARINE=User need install and configure Lightning wallet. Once e don install, e dey very convenient to use. +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.subHeadline=Submarine swaps allow make exchange between off-chain and on-chain Bitcoin safely without counterparty risk +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.overview=The swap dey happen by using the secret for hash time-locked contract (HTLC) for Lightning Network inside contract for Bitcoin transaction. As the Lightning payment dey claimed, the secret for claiming on-chain Bitcoin go show for the sender of the Lightning payment. This one dey ensure say one payment unlock the other payment, e make exchange fit happen without counterparty risk. +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.release=Submarine swaps dey expect say e go ready for release in Q3/2025. +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.pro=+ Very high security for large trade amounts\n+ Swapping on-chain Bitcoin to Lightning fit potentially improve privacy.\n+ Exchange fit happen through trading bots, so e fit dey fast and automated. +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.con=- Mining fees for the Bitcoin transaction fit make small trades no dey economical\n- Traders go get to dey careful about timeouts for the transactions. If blockchain dey congest and confirmation dey delay, e fit pose security risk. + + +###################################################### +## LIQUID_MU_SIG +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG=Liquid MuSig +# suppress inspection "UnusedProperty" +tradeApps.overview.LIQUID_MU_SIG=Di Bisq MuSig protocol wey don move to di Liquid side chain +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.LIQUID_MU_SIG=L-BTC/Fiat +# suppress inspection "UnusedProperty" +tradeApps.overview.security.LIQUID_MU_SIG=Security dey based on security deposits and other features wey relate to trade limits. Check Bisq wiki for more information. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.LIQUID_MU_SIG=E dey depend on the Fiat transfer method wey dem use. Online Fiat transfer fit reveal identity to the trade peer. For Liquid side, e get better privacy pass mainnet Bitcoin sake of confidential transactions. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.LIQUID_MU_SIG=The user need get small amount of L-BTC to lock up security deposit. Blockchain confirmation for Liquid dey very fast (about 1 minute). Time for trade depend on the payment method wey dem use and how fast the trader dey respond. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.subHeadline=Based on a security deposit, a MuSig transaction and a multi-layer dispute resolution process +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.overview=Conceptually, e follow di Bisq MuSig protocol (on Bitcoin mainnet). Liquid no get di same censorship properties as Bitcoin, but e provide some benefits over Bitcoin mainnet:\n- Liquid get very short block confirmation time of about 1 minute.\n- Transaction fees dey very low.\n- Privacy dey better due to confidential transactions wey dey hide di amount wey dey sent. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.release=Liquid MuSig dey expected to ready for release in Q3/2025. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.pro=+ Reasonable good security for medium value trade amounts\n+ Compared to Bisq MuSig, transaction fees dey lower, confirmation dey faster, and privacy dey better.\n+ E fit handle di legacy system of di Fiat world +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.con=- Both traders need to get L-BTC for security deposit\n- Liquid na federated side chain, e no get the high level of censorship resistance like mainnet Bitcoin.\n- Peg-in from mainnet Bitcoin to Liquid Bitcoin no dey require trust, but for pegging-out L-BTC to BTC, e need authorisation from the federation.\n- The maker's Bisq node need dey online as the take-offer process na interactive one.\n- As the Fiat transfer dey done for legacy systems like bank transfers, e inherit all the drawbacks, like chargeback risk, slow transfer, and privacy exposure to peer when bank transfer details carry real name. Though, those various drawbacks fit reduce by using payment methods wey get low chargeback risk, fast or instant transfer, and use account IDs or email instead of real names. Some payment methods no dey use banking system at all, like cash-by-mail or face-to-face trading. + + +###################################################### +## BISQ_LIGHTNING +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING=Bisq Lightning +# suppress inspection "UnusedProperty" +tradeApps.overview.BISQ_LIGHTNING=Enables trade of Bitcoin for Fiat on Lightning Network by combining Submarine swaps and Liquid MuSig protocol +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.BISQ_LIGHTNING=LN-BTC/Fiat +# suppress inspection "UnusedProperty" +tradeApps.overview.security.BISQ_LIGHTNING=Security dey based on security deposits and other features wey relate to trade limits. Check Bisq wiki for more information. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.BISQ_LIGHTNING=E dey depend on the Fiat transfer method wey dem use. Online Fiat transfer fit reveal identity to the trade peer. For Lightning side, e get better privacy pass on-chain Bitcoin as e no dey leave traces for the Blockchain. For Liquid side, e get better privacy pass mainnet Bitcoin sake of confidential transactions. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.BISQ_LIGHTNING=Di user need get small amount of Bitcoin on Lightning to lock up security deposit. Di Submarine swaps and di trade transactions benefit from di fast blockchain confirmation time of about 1 minute. Time for trade depend on di payment method used and di trader's response time. +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.subHeadline=Combines Submarine swaps from Lightning to Liquid and di Liquid MuSig protocol +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.overview=E enable traders to use their off-chain Bitcoin on Lightning for trading with Fiat based on di Liquid MuSig protocol. Di protocol na chain of 3 trades and 2 different protocols:\n- First, di traders swap their Lightning Bitcoin via a reverse Submarine swap to L-BTC (Submarine swap between Lightning and Liquid). Dis swap dey happen with any liquidity provider, no be with di trading peer.\n- Den di trade dey happen on Liquid using di MuSig protocol.\n- Once di trade don complete, di L-BTC go swap back to Lightning by a Submarine swap (again with another trader/liquidity provider). +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.release=Bisq Lightning dey expected to ready for release in Q3/2025. +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.pro=+ Reasonable good security for medium value trade amounts\n+ Compared to Bisq MuSig, transaction fees dey lower, confirmation dey faster, and privacy dey better.\n+ E fit handle di legacy system of di Fiat world +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.con=- Both traders need to get BTC on Lightning for di security deposit\n- Di involvement of 2 additional traders for di Submarine swaps dey add complexity and potential (rather small) risks.\n- Liquid na federated side chain and no get di high level of censorship resistance like mainnet Bitcoin.\n- Peg-in from mainnet Bitcoin to Liquid Bitcoin no require trust, but for pegging-out L-BTC to BTC, e need authorisation from di federation.\n- Di makers Bisq node need to dey online as di take-offer process dey interactive\n- As di Fiat transfer dey done on legacy systems like bank transfers, e carry all dose drawbacks, like chargeback risk, slow transfer, and privacy exposure to peer when di bank transfer details contain di real name. Though, those various drawbacks fit dey mitigated by using payment methods wey get low chargeback risk, dey fast or instant, and dey use account IDs or email instead of real names. Certain payment methods dey avoid banking system completely like cash-by-mail or trading face to face. + + +###################################################### +## LIQUID_SWAP +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP=Liquid Swaps +# suppress inspection "UnusedProperty" +tradeApps.overview.LIQUID_SWAP=Trayd any Liquid based assets like USDT and BTC-L with an atomic swap on the Liquid network +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.LIQUID_SWAP=Liquid Assets +# suppress inspection "UnusedProperty" +tradeApps.overview.security.LIQUID_SWAP=Ultimate security by using smart contracts on the same blockchain. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.LIQUID_SWAP=Liquid dey support confidential transactions, so e no dey reveal di amount for di blockchain. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.LIQUID_SWAP=User need install and configure the Elements wallet for Liquid. Once e don install, e dey very easy to use. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.subHeadline=Atomic swap based trade protocol for Liquid side-chain wey fit trade any Liquid asset +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.overview=To use Liquid swaps, the user need install and run the Elements wallet and configure am, so that e fit access am from the Bisq application.\n\nThe most common asset wey dey use for Liquid na USDT (Tether), a stable coin wey peg to USD. Even though e no dey comparable to something like Bitcoin, e get many advantages pass Fiat USD wey usually involve bank transfers with all the problems and inconvenience of the legacy Fiat system.\n\nL-BTC fit dey used on the other end of the trade wey be substitute for Bitcoin on Liquid chain. To convert Bitcoin to L-BTC, person go send Bitcoin to peg-in address and after 102 confirmations, e go receive L-BTC for am. Going back from L-BTC to Bitcoin (peg-out) dey work similar, but e go need authorisation from Liquid federation wey be group of companies and individuals for Bitcoin space. So e no be completely trust-less process.\n\nMake person no try compare Liquid assets to properties of Bitcoin. E dey target other use cases and e no fit reach the high level of decentralisation and censorship resistance wey Bitcoin get. E fit be seen as alternative to traditional financial products. By using blockchain technology, e dey avoid classical intermediaries, improve security and privacy, and provide better user experience. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.release=Liquid swaps still dey under development. E dey expected to ready for release in Q3/2025. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.pro=+ Confidential transactions dey provide good privacy\n+ Fast confirmation time of about 1 minute\n+ Low transaction fees\n+ Suitable for high value transactions +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.con=- E require person run Elements wallet and blockchain\n- Both traders need dey online\n- Peg-out from L-BTC no dey trust-less + + +###################################################### +## BSQ_SWAP +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP=BSQ Swaps +# suppress inspection "UnusedProperty" +tradeApps.overview.BSQ_SWAP=Trayd Bitcoin and di BSQ token via atomic swaps, instantaneously and secure +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.BSQ_SWAP=BSQ/BTC +# suppress inspection "UnusedProperty" +tradeApps.overview.security.BSQ_SWAP=Ultimate security by using smart contract on same blockchain. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.BSQ_SWAP=Constrained by Bitcoin's privacy limitations and depends on user behaviour (avoiding coin merge of multiple trades increase privacy). BSQ get potentially less privacy due the smaller anonymity set. See Bisq wiki for more information. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.BSQ_SWAP=User need install and configure the BSQ wallet. Once e don install, e dey very easy to use. +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.subHeadline=Atomic swap between BSQ (colored coin on Bitcoin) and Bitcoin +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.overview=Same model wey dem use for Bisq 1. As e based on one single atomic transaction, e dey very secure.\nE go require person run the Bisq 1 node with the DAO API enabled. +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.release=BSQ swaps dey expect say e go ready for release in Q4/2025. +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.pro=+ Very secure\n+ Relative fast, even though only after the blockchain confirmation, the trade go be complete\n+ No maker fee transaction and no security deposit required +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.con=- E require person run Bisq 1 for the BSQ/DAO data\n- E dey limited to BSQ/BTC market + + +###################################################### +## LIGHTNING_ESCROW +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW=Lightning Escrow +# suppress inspection "UnusedProperty" +tradeApps.overview.LIGHTNING_ESCROW=Escrow based trade protocol on top Lightning network wey dey use multi-party computation cryptography +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.LIGHTNING_ESCROW=LN-BTC/Fiat +# suppress inspection "UnusedProperty" +tradeApps.overview.security.LIGHTNING_ESCROW=Security dey based on security deposits as well as additional features wey dey relate to trade limits. The protocol use some new cryptographic techniques wey dem never really test and audit for battle. See Bisq wiki for more information. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.LIGHTNING_ESCROW=This one dey depend on the Fiat transfer method wey dem use. Online Fiat transfer usually go show identity to the trade partner. For Bitcoin side e get some constraints based on Bitcoin privacy limitations and how traders dey behave (avoiding coin merge for multiple trades fit increase privacy). See Bisq wiki for more information. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.LIGHTNING_ESCROW=Person go need get small amount of Bitcoin for lock up security deposit. +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.subHeadline=Three-party protocol for trading Fiat with Bitcoin on Lightning Network. +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.overview=E based on multiple Lightning payments and splits up di secrets for di HTLCs to construct a secure setup where di 3rd party guarantees say di traders dey behave fair. E use garbled circuits to achieve secure multi-party computation.\n\nDi user need run a Lightning node which dey configured with di Bisq application.\n\nConceptually, e dey similar to di Bisq MuSig protocol but instead of di MuSig transaction, e use dis 3-party setup and instead of on-chain Bitcoin, e use Bitcoin on di Lightning Network. +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.release=Lightning Escrow dey expected to ready for release in Q4/2025. +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.pro=+ When person compare am with Bisq Easy, the security properties dey better and e dey fit for trade higher amounts. The higher amounts fit reduce trade prices come close to market rates.\n+ Bitcoin payments dey quick\n+ Transaction (routing) fees dey very low +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.con=- Person go need run Lightning node\n- Both traders go need get BTC (on Lightning) for security deposit.\n- The makers Bisq node go need online as the take-offer process dey interactive.\n- As the Fiat transfer dey happen on top legacy systems like bank transfers e get some drawbacks like chargeback risk, slow transfer, and the privacy exposure to the trade partner if the bank transfer details contain the real name. Even though person fit reduce the drawbacks by using payment methods wey get low chargeback risk, wey dey fast or instant, and wey use account IDs or email instead of real names. Some payment methods avoid banking system completely like cash-by-mail or trading face to face. + + +###################################################### +## MONERO_SWAP +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP=Monero Swaps +# suppress inspection "UnusedProperty" +tradeApps.overview.MONERO_SWAP=Trade Bitcoin and Monero using an atomic cross-chain swap +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.MONERO_SWAP=XMR/BTC +# suppress inspection "UnusedProperty" +tradeApps.overview.security.MONERO_SWAP=Very high security by using adaptor signatures to swap atomically between di Monero and Bitcoin blockchain. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.MONERO_SWAP=Very high for di Monero side because of im strong privacy. For di Bitcoin side, e dey limited by Bitcoin's privacy limitations. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.MONERO_SWAP=User need install di Farcaster swap daemon and Monero and Bitcoin full node. Once e don install, e dey very easy to use. +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.subHeadline=Atomic cross-chain swap protocol for trading Bitcoin with Monero +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.overview=Based on di Farcaster project (funded by di Monero komyuniti) wey dey use hashed time lock contracts (HTLC), adaptor signatures and zero-knowledge proof for atomically swapping Bitcoin and Monero.\n\nDi user need to install and run a Bitcoin node, a Monero node and di Farcaster daemon. During di swap, di nodes of both traders need to dey online. Di extra effort when using dat protocol dey pay off with very high level of security. Though users suppose make demself familiar with di details of dat concept and sabi say dere dey edge case wey carry some small risks. +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.release=Monero swaps dey expect to ready for release in Q4/2025. +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.pro=+ Very secure\n+ Decent privacy. For di Bitcoin side e dey inherit Bitcoin's privacy properties. For di Monero side e dey benefit from di high privacy of Monero.\n+ Suitable for high value transactions +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.con=- It requires some technical skills and experience to run the required infrastructure\n- Confirmation time is based on the confirmations on both blockchains which will be usually about 20-30 min.\n- Transaction fees on the Bitcoin side could be non-trivial in case of high blockchain congestion (rather rare, though)\n- Both traders need to be online\n- It requires lots of fast disk storage for the nodes diff --git a/shared/domain/src/commonMain/resources/mobile/trade_apps_pt_BR.properties b/shared/domain/src/commonMain/resources/mobile/trade_apps_pt_BR.properties new file mode 100644 index 00000000..a9186aad --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/trade_apps_pt_BR.properties @@ -0,0 +1,265 @@ +###################################################### +## Trade protocols +###################################################### +tradeApps.compare=Comparar protocolos +tradeApps.bisqMuSig=Bisq MuSig +tradeApps.subMarine=Trocas Submarinas +tradeApps.bisqLightning=Bisq Lightning +tradeApps.more=Mais + +tradeApps.comingSoon=Em breve +tradeApps.select=Selecionar +tradeApps.release=Lançamento +tradeApps.security=Segurança +tradeApps.markets=Mercados +tradeApps.privacy=Privacidade +tradeApps.convenience=Conveniência +tradeApps.overview=Visão Geral +tradeApps.tradeOffs=Prós/Contras + +tradeApps.overview.headline=Descubra a melhor maneira de negociar Bitcoin +tradeApps.overview.subHeadline=Um protocolo de negociação serve como a estrutura fundamental para negociar Bitcoin de forma segura. Cada protocolo de negociação apresenta seu próprio conjunto de vantagens e compensações envolvendo segurança, privacidade e conveniência.\nA Bisq oferece a flexibilidade de selecionar o protocolo ideal alinhado com suas preferências.\n\nExplore os próximos protocolos de negociação programados para integração na Bisq. Atualmente, Bisq Easy é o único protocolo implementado, adaptado para usuários novatos de Bitcoin e adequado para quantidades menores de comércio. Fique atento a atualizações se algum dos próximos protocolos chamar sua atenção. + +tradeApps.overview.more=Além disso, há mais protocolos no horizonte, programados para implementação futura. + + +###################################################### +## BISQ_EASY +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.BISQ_EASY=Bisq Easy +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.BISQ_EASY=BTC/Fiat +# suppress inspection "UnusedProperty" +tradeApps.overview.BISQ_EASY=Protocolo de negociação fácil de usar baseado em chat. A segurança é baseada na reputação do vendedor. +# suppress inspection "UnusedProperty" +tradeApps.overview.security.BISQ_EASY=A segurança é baseada na reputação dos vendedores. Apenas adequado para pequenas quantidades. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.BISQ_EASY=Depende do método de transferência fiat utilizado. Transferências fiat online geralmente revelam identidade ao par de negociação. No lado do Bitcoin, é limitado pelas limitações de privacidade do Bitcoin e depende do comportamento do usuário (evitar a fusão de moedas de múltiplas negociações aumenta a privacidade). Veja o wiki da Bisq para mais informações. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.BISQ_EASY=Interface de chat muito fácil de usar. O comprador de Bitcoin não precisa ter Bitcoin. + +###################################################### +## BISQ_MU_SIG +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG=Bisq MuSig +# suppress inspection "UnusedProperty" +tradeApps.overview.BISQ_MU_SIG=O protocolo Bisq MuSig requer apenas uma transação graças ao MuSig, Atomic Swaps e Taproot. +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.BISQ_MU_SIG=BTC/Fiat +# suppress inspection "UnusedProperty" +tradeApps.overview.security.BISQ_MU_SIG=A segurança é baseada em depósitos de segurança, bem como em recursos adicionais relacionados a limites de negociação. Consulte o wiki da Bisq para mais informações. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.BISQ_MU_SIG=Depende do método de transferência Fiat usado. Transferência Fiat online geralmente revela a identidade ao parceiro de negociação. No lado do Bitcoin, é limitada pelas limitações de privacidade do Bitcoin e depende do comportamento do usuário (evitar a fusão de moedas de várias negociações aumenta a privacidade). Veja o wiki da Bisq para mais informações. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.BISQ_MU_SIG=O usuário precisa ter uma pequena quantidade de Bitcoins para bloquear o depósito de segurança. Pode ser tão rápido quanto o tempo de confirmação da blockchain ou até alguns dias, dependendo do método de pagamento fiat. + +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.subHeadline=Baseado no MuSig, Atomic swaps e Taproot, requer apenas uma transação +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.overview=Conceitualmente, segue o protocolo de negociação utilizado no Bisq 1, baseado em um depósito de segurança e um processo de resolução de disputas.\n- Reduz o número de transações de 4 para 1.\n- Melhora a privacidade ao fazer com que a transação de depósito pareça uma transação padrão 'pay-to-pubKey-hash'.\n- Evita o problema de que um vendedor precise abrir arbitragem caso o comprador não libere o depósito de segurança após a negociação. Atomic swaps garantirão que o vendedor possa recuperar seu depósito mesmo sem a cooperação do comprador.\n- Em caso de um parceiro de negociação não responsivo, uma estrutura de transação de pagamento em várias etapas garante que nenhuma arbitragem e reembolso pela DAO seja necessário.\n- Taproot oferece mais flexibilidade e privacidade.\n- Descubra mais detalhes em: https://github.com/bisq-network/proposals/issues/456 +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.release=O Bisq MuSig deve estar pronto para lançamento no Q2/2025. +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.pro=+ Segurança razoavelmente boa para quantidades médias de valor comercial\n+ Comparado ao Bisq Easy, as propriedades de segurança são melhores e maiores quantidades podem ser negociadas. As maiores quantidades trazem preços de negociação mais próximos das taxas de mercado.\n+ Gerencia o sistema legado do mundo fiat. +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.con=- Ambos os comerciantes precisam ter BTC para o depósito de segurança\n- O nó Bisq do criador precisa estar online, pois o processo de oferta é interativo\n- Como a transferência fiat é feita em sistemas legados, como transferências bancárias, herda todas essas desvantagens, como risco de estorno, transferência lenta, exposição de privacidade ao par quando os detalhes da transferência bancária contêm o nome real. No entanto, essas várias desvantagens podem ser mitigadas usando métodos de pagamento que apresentam baixo risco de estorno, são rápidos ou instantâneos e usam IDs de conta ou email em vez de nomes reais. Certos métodos de pagamento evitam completamente o sistema bancário, como dinheiro pelo correio ou negociação cara a cara. + + +###################################################### +## SUBMARINE +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE=Submarine Swaps +# suppress inspection "UnusedProperty" +tradeApps.overview.SUBMARINE=Troca entre Bitcoin na rede Lightning para Bitcoin on-chain +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.SUBMARINE=LN-BTC/BTC +# suppress inspection "UnusedProperty" +tradeApps.overview.security.SUBMARINE=Swap atômico fornece um nível muito alto de segurança. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.SUBMARINE=Swaps podem potencialmente melhorar a privacidade ao quebrar rastros para análise de cadeias. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.SUBMARINE=O usuário precisa instalar e configurar uma carteira Lightning. Uma vez instalada, é muito conveniente de usar. +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.subHeadline=Submarine swaps permitem trocar Bitcoin off-chain e on-chain com segurança sem risco de contraparte +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.overview=O swap é realizado usando o segredo de um contrato com bloqueio de tempo de hash (HTLC) na Lightning Network para um contrato em uma transação Bitcoin. Ao reivindicar o pagamento Lightning, o segredo para reivindicar o Bitcoin on-chain é revelado ao remetente do pagamento Lightning. Isso garante que um pagamento desbloqueie o outro, permitindo uma troca sem risco de contraparte. +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.release=Submarine swaps está previsto para ser lançado no Q3/2025. +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.pro=+ Muito alta segurança para grandes quantidades de negociação\n+ Trocar Bitcoin on-chain por Lightning pode potencialmente melhorar a privacidade.\n+ A troca pode ser feita por bots de negociação, possibilitando negociações rápidas e automatizadas. +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.con=- Taxas de mineração para a transação Bitcoin podem tornar negociações pequenas economicamente inviáveis\n- Os comerciantes devem estar atentos aos tempos de expiração das transações. Em caso de congestionamento da blockchain e confirmação atrasada, isso pode representar um risco à segurança. + + +###################################################### +## LIQUID_MU_SIG +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG=Liquid MuSig +# suppress inspection "UnusedProperty" +tradeApps.overview.LIQUID_MU_SIG=O protocolo Bisq MuSig adaptado para a sidechain Liquid +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.LIQUID_MU_SIG=L-BTC/Fiat +# suppress inspection "UnusedProperty" +tradeApps.overview.security.LIQUID_MU_SIG=A segurança é baseada em depósitos de segurança, bem como em recursos adicionais relacionados a limites de negociação. Consulte o wiki da Bisq para mais informações. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.LIQUID_MU_SIG=Depende do método de transferência fiat utilizado. Transferências fiat online geralmente revelam a identidade ao par de negociação. No lado do Liquid, tem melhor privacidade que o Bitcoin mainnet devido a transações confidenciais. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.LIQUID_MU_SIG=O usuário precisa ter uma pequena quantidade de L-BTC para bloquear o depósito de segurança. A confirmação da blockchain no Liquid é muito rápida (cerca de 1 minuto). O tempo para negociação depende do método de pagamento utilizado e do tempo de resposta do comerciante. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.subHeadline=Baseado em um depósito de segurança, uma transação MuSig e um processo de resolução de disputas em várias camadas +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.overview=Conceitualmente, segue o protocolo Bisq MuSig (na mainnet do Bitcoin). O Liquid não possui as mesmas propriedades de censura que o Bitcoin, embora ofereça alguns benefícios em relação à mainnet do Bitcoin:\n- O Liquid tem um tempo de confirmação de bloco muito curto, de cerca de 1 minuto.\n- As taxas de transação são muito baixas.\n- A privacidade é melhor devido às transações confidenciais que ocultam o valor enviado. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.release=O Liquid MuSig deve estar pronto para lançamento no Q3/2025. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.pro=+ Segurança razoável para valores de negociação médios\n+ Comparado ao Bisq MuSig, há taxas de transação mais baixas, confirmação mais rápida e melhor privacidade.\n+ Conseguem lidar com o sistema legado do mundo Fiat +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.con=- Ambos os comerciantes precisam ter L-BTC para o depósito de segurança\n- O Liquid é uma side chain federada e não tem o alto nível de resistência à censura como o Bitcoin mainnet.\n- O peg-in do Bitcoin mainnet para o Liquid Bitcoin é sem confiança, embora para o pegging-out de L-BTC para BTC seja necessário autorização da federação.\n- O nó Bisq do criador precisa estar online, pois o processo de oferta é interativo\n- Como a transferência Fiat é feita em sistemas legados, como transferências bancárias, herda todas essas desvantagens, como risco de estorno, transferência lenta, exposição de privacidade ao par quando os detalhes da transferência bancária contêm o nome real. No entanto, essas várias desvantagens podem ser mitigadas usando métodos de pagamento que apresentam baixo risco de estorno, são rápidos ou instantâneos e usam IDs de conta ou email em vez de nomes reais. Certos métodos de pagamento evitam completamente o sistema bancário, como dinheiro pelo correio ou negociação cara a cara. + + +###################################################### +## BISQ_LIGHTNING +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING=Bisq Lightning +# suppress inspection "UnusedProperty" +tradeApps.overview.BISQ_LIGHTNING=Habilita a negociação de Bitcoin na Lightning Network para Fiat, combinando swaps Submarine e o protocolo Liquid MuSig +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.BISQ_LIGHTNING=LN-BTC/Fiat +# suppress inspection "UnusedProperty" +tradeApps.overview.security.BISQ_LIGHTNING=A segurança é baseada em depósitos de segurança, bem como em recursos adicionais relacionados a limites de negociação. Consulte o wiki da Bisq para mais informações. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.BISQ_LIGHTNING=Depende do método de transferência Fiat utilizado. Transferências Fiat online geralmente revelam a identidade ao par de negociação. No lado do Lightning, tem melhor privacidade que o Bitcoin on-chain, pois não deixa rastros na Blockchain. No lado do Liquid, tem melhor privacidade que o Bitcoin mainnet devido a transações confidenciais. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.BISQ_LIGHTNING=O usuário precisa ter uma pequena quantidade de Bitcoin na Lightning para bloquear o depósito de segurança. Os swaps Submarine e as transações de trade se beneficiam do rápido tempo de confirmação da blockchain de cerca de 1 minuto. O tempo para o trade depende do método de pagamento utilizado e do tempo de resposta do trader. +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.subHeadline=Combina swaps Submarine da Lightning para Liquid e o protocolo Liquid MuSig +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.overview=Permite que os traders usem seu Bitcoin off-chain na Lightning para negociar com Fiat com base no protocolo Liquid MuSig. O protocolo é uma cadeia de 3 negociações e 2 protocolos diferentes:\n- Primeiro, os traders trocam seu Bitcoin na Lightning via um swap Submarine reverso para L-BTC (swap Submarine entre Lightning e Liquid). Esse swap acontece com qualquer provedor de liquidez, não com o parceiro de negociação.\n- Em seguida, a negociação ocorre na Liquid usando o protocolo MuSig.\n- Uma vez que a negociação é concluída, o L-BTC é trocado de volta para Lightning por meio de um swap Submarine (novamente com outro trader/provedor de liquidez). +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.release=Espera-se que o Bisq Lightning esteja pronto para lançamento no Q3/2025. +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.pro=+ Segurança razoavelmente boa para valores de trade médios\n+ Comparado ao Bisq MuSig, há menores taxas de transação, confirmação mais rápida e melhor privacidade.\n+ Consegue lidar com o sistema legado do mundo Fiat +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.con=- Ambos os comerciantes precisam ter BTC no Lightning para o depósito de segurança\n- O envolvimento de 2 comerciantes adicionais para os Submarine swaps adiciona complexidade e riscos potenciais (relativamente pequenos).\n- O Liquid é uma side chain federada e não tem o alto nível de resistência à censura como o Bitcoin mainnet.\n- O peg-in do Bitcoin mainnet para o Liquid Bitcoin é sem confiança, embora para o pegging-out de L-BTC para BTC seja necessário autorização da federação.\n- O nó Bisq do criador precisa estar online, pois o processo de oferta é interativo\n- Como a transferência Fiat é feita em sistemas legados, como transferências bancárias, herda todas essas desvantagens, como risco de estorno, transferência lenta, exposição de privacidade ao par quando os detalhes da transferência bancária contêm o nome real. No entanto, essas várias desvantagens podem ser mitigadas por métodos de pagamento que apresentam baixo risco de estorno, são rápidos ou instantâneos e usam IDs de conta ou email em vez de nomes reais. Certos métodos de pagamento evitam completamente o sistema bancário, como dinheiro pelo correio ou negociação cara a cara. + + +###################################################### +## LIQUID_SWAP +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP=Trocas Liquid +# suppress inspection "UnusedProperty" +tradeApps.overview.LIQUID_SWAP=Negocie quaisquer ativos baseados em Liquid como USDT e BTC-L com um swap atômico na rede Liquid +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.LIQUID_SWAP=Ativos Liquid +# suppress inspection "UnusedProperty" +tradeApps.overview.security.LIQUID_SWAP=Segurança máxima utilizando contratos inteligentes na mesma blockchain. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.LIQUID_SWAP=O Liquid suporta transações confidenciais, não revelando a quantidade na blockchain. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.LIQUID_SWAP=O usuário precisa instalar e configurar a carteira Elements para o Liquid. Uma vez instalada, é muito conveniente de usar. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.subHeadline=Protocolo de troca atômica baseado na side chain Liquid para negociar qualquer ativo Liquid +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.overview=Para usar trocas Liquid, o usuário precisa instalar e executar a carteira Elements e configurá-la para que possa ser acessada pelo aplicativo Bisq.\n\nO ativo mais usado no Liquid é o USDT (Tether), uma stable coin vinculada ao USD. Embora não seja comparável a algo como o Bitcoin, tem muitas vantagens sobre o USD Fiat, que geralmente envolve transferências bancárias com todos os problemas e inconvenientes do sistema Fiat legado.\n\nL-BTC pode ser usado na outra ponta da negociação, que é um substituto do Bitcoin na cadeia Liquid. Para converter Bitcoin em L-BTC, é necessário enviar Bitcoin para um endereço de peg-in e receberá, após 102 confirmações, L-BTC por isso. Voltar de L-BTC para Bitcoin (peg-out) funciona de forma semelhante, mas requer autorização da federação Liquid, que é um grupo de empresas e indivíduos no espaço Bitcoin. Portanto, não é um processo completamente sem confiança.\n\nDeve-se evitar comparar ativos Liquid com as propriedades do Bitcoin. Ele visa outros casos de uso e não pode atender ao alto nível de descentralização e resistência à censura do Bitcoin. Pode ser visto como uma alternativa a produtos financeiros tradicionais. Ao usar a tecnologia blockchain, evita intermediários clássicos, melhora a segurança e a privacidade e fornece uma melhor experiência ao usuário. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.release=As trocas de Liquid ainda estão em desenvolvimento. Espera-se que seja lançado no Q3/2025. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.pro=+ Transações confidenciais fornecem boa privacidade\n+ Tempo rápido de confirmação de cerca de 1 minuto\n+ Taxas de transação baixas\n+ Adequado para transações de alto valor +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.con=- Requer executar a carteira e a blockchain Elements\n- Ambos os comerciantes precisam estar online\n- O peg-out de L-BTC não é sem confiança + + +###################################################### +## BSQ_SWAP +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP=Trocas BSQ +# suppress inspection "UnusedProperty" +tradeApps.overview.BSQ_SWAP=Negocie Bitcoin e o token BSQ através de swaps atômicos, instantaneamente e com segurança +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.BSQ_SWAP=BSQ/BTC +# suppress inspection "UnusedProperty" +tradeApps.overview.security.BSQ_SWAP=Segurança máxima usando contrato inteligente na mesma blockchain. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.BSQ_SWAP=Constrangida pelas limitações de privacidade do Bitcoin e depende do comportamento do usuário (evitar a fusão de moedas de várias negociações aumenta a privacidade). BSQ tem potencialmente menos privacidade devido ao menor conjunto de anonimato. Consulte o wiki da Bisq para mais informações. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.BSQ_SWAP=O usuário precisa instalar e configurar a carteira BSQ. Uma vez instalada, é muito conveniente de usar. +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.subHeadline=Swap atômico entre BSQ (moeda colorida no Bitcoin) e Bitcoin +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.overview=Mesmo modelo usado no Bisq 1. Como é baseado em uma única transação atômica, é muito seguro.\nSerá necessário executar o nó Bisq 1 com a API DAO habilitada. +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.release=Espera-se que as trocas de BSQ estejam prontas para lançamento no Q4/2025. +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.pro=+ Muito seguro\n+ Relativamente rápido, embora só depois da confirmação da blockchain a negociação seja considerada completa\n+ Sem taxa de criação de oferta e sem depósito de segurança necessário +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.con=- Precisa executar o Bisq 1 para os dados BSQ/DAO\n- Limitado ao mercado BSQ/BTC + + +###################################################### +## LIGHTNING_ESCROW +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW=Escrow Lightning +# suppress inspection "UnusedProperty" +tradeApps.overview.LIGHTNING_ESCROW=Protocolo de negociação baseado em escrow na rede Lightning usando criptografia de computação multipartidária +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.LIGHTNING_ESCROW=LN-BTC/Fiat +# suppress inspection "UnusedProperty" +tradeApps.overview.security.LIGHTNING_ESCROW=A segurança é baseada em depósitos de segurança, bem como em recursos adicionais em relação aos limites de negociação. O protocolo usa algumas técnicas criptográficas novas que não são testadas em batalha nem auditadas. Veja o wiki da Bisq para mais informações. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.LIGHTNING_ESCROW=Depende do método de transferência Fiat usado. Transferência Fiat online geralmente revela a identidade ao parceiro de negociação. No lado do Bitcoin, é limitada pelas limitações de privacidade do Bitcoin e depende do comportamento do usuário (evitar a fusão de moedas de várias negociações aumenta a privacidade). Veja o wiki da Bisq para mais informações. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.LIGHTNING_ESCROW=O usuário precisa ter uma pequena quantidade de Bitcoin para o depósito de segurança. +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.subHeadline=Protocolo de três partes para negociar Fiat com Bitcoin na Rede Lightning. +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.overview=Baseia-se em múltiplos pagamentos Lightning e divide os segredos dos HTLCs para construir uma configuração segura onde o 3º partido garante que os comerciantes se comportem de forma justa. Utiliza circuitos embaralhados para alcançar a computação segura de múltiplas partes.\n\nO usuário precisa executar um nó Lightning configurado com a aplicação Bisq.\n\nConceitualmente, é semelhante ao protocolo Bisq MuSig, mas em vez da transação MuSig, usa esta configuração de 3 partes e, em vez de Bitcoin na cadeia, usa Bitcoin na Lightning Network. +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.release=Espera-se que o Lightning Escrow esteja pronto para lançamento no Q4/2025. +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.pro=+ Comparado ao Bisq Easy, as propriedades de segurança são melhores e quantidades maiores podem ser negociadas. As quantidades maiores trazem preços de negociação mais próximos das taxas de mercado.\n+ Os pagamentos em Bitcoin são quase instantâneos\n+ Taxas de transação (encaminhamento) muito baixas +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.con=- Precisa executar um nó Lightning\n- Ambos os comerciantes precisam ter BTC (na Lightning) para o depósito de segurança.\n- O nó Bisq do criador precisa estar online, pois o processo de aceitação da oferta é interativo.\n- Como a transferência Fiat é feita em sistemas legados como transferências bancárias, herda todas essas desvantagens, como risco de estorno, transferência lenta, exposição de privacidade ao par quando os detalhes da transferência bancária contêm o nome real. No entanto, esses vários problemas podem ser mitigados usando métodos de pagamento que carregam baixo risco de estorno, são rápidos ou instantâneos e usam IDs de conta ou email em vez de nomes reais. Certos métodos de pagamento evitam completamente o sistema bancário, como dinheiro pelo correio ou negociação cara a cara. + + +###################################################### +## MONERO_SWAP +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP=Trocas Monero +# suppress inspection "UnusedProperty" +tradeApps.overview.MONERO_SWAP=Negocie Bitcoin e Monero usando um swap atômico entre cadeias +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.MONERO_SWAP=XMR/BTC +# suppress inspection "UnusedProperty" +tradeApps.overview.security.MONERO_SWAP=Segurança muito alta usando assinaturas adaptadoras para trocar atomicamente entre as blockchains Monero e Bitcoin. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.MONERO_SWAP=Privacidade muito alta no lado do Monero devido à sua privacidade intrínseca forte. No lado do Bitcoin, é limitada pelas limitações de privacidade do Bitcoin. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.MONERO_SWAP=O usuário precisa instalar o daemon de troca Farcaster e um nó completo Monero e Bitcoin. Uma vez instalado, é muito conveniente. +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.subHeadline=Protocolo de swap atômico entre cadeias para negociar Bitcoin com Monero +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.overview=Baseado no projeto Farcaster (financiado pela comunidade Monero) usando contratos de tempo limitado de hash (HTLC), assinaturas adaptadoras e prova de conhecimento zero para trocar atomicamente Bitcoin e Monero.\n\nO usuário precisa instalar e executar um nó Bitcoin, um nó Monero e o daemon Farcaster. Durante a troca, os nós de ambos os comerciantes precisam estar online. O esforço extra ao usar esse protocolo compensa com um nível muito alto de segurança. No entanto, os usuários devem se familiarizar com os detalhes desse conceito e estar cientes de que existem casos extremos que carregam alguns pequenos riscos. +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.release=Espera-se que as trocas de Monero estejam prontas para lançamento no Q4/2025. +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.pro=+ Muito seguro\n+ Privacidade decente. No lado do Bitcoin, herda as propriedades de privacidade do Bitcoin. No lado do Monero, beneficia-se da alta privacidade do Monero.\n+ Adequado para transações de alto valor +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.con=- Requer algumas habilidades técnicas e experiência para executar a infraestrutura necessária\n- O tempo de confirmação é baseado nas confirmações em ambas as blockchains, que geralmente serão cerca de 20-30 min.\n- As taxas de transação no lado do Bitcoin podem ser não triviais em caso de alta congestão da blockchain (embora raro)\n- Ambos os comerciantes precisam estar online\n- Requer muito armazenamento em disco rápido para os nós diff --git a/shared/domain/src/commonMain/resources/mobile/trade_apps_ru.properties b/shared/domain/src/commonMain/resources/mobile/trade_apps_ru.properties new file mode 100644 index 00000000..354fcd19 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/trade_apps_ru.properties @@ -0,0 +1,265 @@ +###################################################### +## Trade protocols +###################################################### +tradeApps.compare=Сравнить протоколы +tradeApps.bisqMuSig=Bisq MuSig +tradeApps.subMarine=Подводные свопы +tradeApps.bisqLightning=Bisq Молния +tradeApps.more=Подробнее + +tradeApps.comingSoon=Скоро будет +tradeApps.select=Выбрать +tradeApps.release=Выпуск +tradeApps.security=Безопасность +tradeApps.markets=Рынки +tradeApps.privacy=Конфиденциальность +tradeApps.convenience=Удобство +tradeApps.overview=Обзор +tradeApps.tradeOffs=За/Против + +tradeApps.overview.headline=Узнайте, как лучше торговать биткойном +tradeApps.overview.subHeadline=Торговый протокол служит фундаментальной основой для безопасной торговли Bitcoin. Каждый торговый протокол имеет свой собственный набор преимуществ и компромиссов, охватывающих безопасность, конфиденциальность и удобство.\nBisq предлагает вам гибкость в выборе оптимального протокола в соответствии с вашими предпочтениями.\n\nНа данный момент Bisq Easy является единственным протоколом, предназначенным для начинающих пользователей биткоина и подходящим для небольших сумм сделок. Следите за обновлениями, если какой-либо из новых протоколов заинтересует вас. + +tradeApps.overview.more=Кроме того, на горизонте маячит еще несколько протоколов, запланированных к внедрению в будущем. + + +###################################################### +## BISQ_EASY +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.BISQ_EASY=Bisq Легко +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.BISQ_EASY=BTC/Фиат +# suppress inspection "UnusedProperty" +tradeApps.overview.BISQ_EASY=Простой в использовании торговый протокол на основе чата. Безопасность основана на репутации продавца +# suppress inspection "UnusedProperty" +tradeApps.overview.security.BISQ_EASY=Безопасность основана на репутации продавцов. Подходит только для небольших сумм. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.BISQ_EASY=Зависит от используемого метода перевода фиатных средств. При онлайн-переводе фиатных средств личность обычно раскрывается партнеру по сделке. Со стороны биткойна это ограничено ограничениями конфиденциальности биткойна и зависит от поведения пользователя (избегание слияния монет при нескольких сделках повышает конфиденциальность). Дополнительную информацию см. в вики Bisq. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.BISQ_EASY=Очень простой в использовании интерфейс чата. Покупателю биткойнов не нужно иметь биткойн. + +###################################################### +## BISQ_MU_SIG +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG=Bisq MuSig +# suppress inspection "UnusedProperty" +tradeApps.overview.BISQ_MU_SIG=Протокол Bisq MuSig требует всего одной транзакции благодаря MuSig, Атомарным свопам и Taproot. +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.BISQ_MU_SIG=BTC/Фиат +# suppress inspection "UnusedProperty" +tradeApps.overview.security.BISQ_MU_SIG=Безопасность основана на гарантийных депозитах, а также на дополнительных возможностях, связанных с торговыми лимитами. Более подробную информацию смотрите в вики Bisq. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.BISQ_MU_SIG=Зависит от используемого метода перевода фиатных средств. При онлайн-переводе фиатных средств личность обычно раскрывается партнеру по сделке. Со стороны биткойна это ограничено ограничениями конфиденциальности биткойна и зависит от поведения пользователя (избегание слияния монет при нескольких сделках повышает конфиденциальность). Дополнительную информацию см. в вики Bisq. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.BISQ_MU_SIG=Пользователю необходимо иметь небольшую сумму биткоинов для блокировки гарантийного депозита. Это может быть как быстрое время подтверждения блокчейна, так и несколько дней, в зависимости от способа фиатной оплаты. + +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.subHeadline=Основанная на MuSig, атомарных свопах и Taproot, она требует всего одной транзакции. +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.overview=Концептуально он повторяет торговый протокол, используемый в Bisq 1, основанный на гарантийном депозите и процессе разрешения споров.\n- Сокращает количество транзакций с 4 до 1.\n- Улучшает конфиденциальность, делая транзакцию с депозитом похожей на стандартную транзакцию "оплата-публикация-хэш ключей".\n- Это позволяет избежать проблемы, когда продавцу приходится открывать арбитраж в случае, если покупатель не выдает гарантийный депозит после завершения сделки. Атомарные свопы гарантируют, что продавец сможет получить свой депозит обратно даже без сотрудничества с покупателем.\n- В случае, если покупатель не отвечает на запросы, многоступенчатая структура транзакций выплат гарантирует, что арбитраж и возмещение со стороны DAO не потребуются.\n- Taproot обеспечивает большую гибкость и конфиденциальность.\n- Узнайте больше подробностей на сайте: https://github.com/bisq-network/proposals/issues/456. +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.release=Ожидается, что Bisq MuSig будет готов к выпуску в 4 квартале 2024 года. +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.pro=+ Разумно хорошая безопасность для торговых сумм средней стоимости\n+ По сравнению с Bisq Easy безопасность выше, и можно торговать большими суммами. Более высокие суммы приближают торговые цены к рыночным.\n+ Удается работать с унаследованной системой фиатного мира +# suppress inspection "UnusedProperty" +tradeApps.BISQ_MU_SIG.con=- Оба трейдера должны иметь BTC для гарантийного депозита\n- Нода Bisq должна быть онлайн, так как процесс принятия предложения интерактивен.\n- Поскольку фиатные переводы осуществляются с помощью традиционных систем, таких как банковские переводы, они наследуют все эти недостатки, такие как риск возврата средств, медленный перевод, подверженность риску конфиденциальности, когда реквизиты банковского перевода содержат настоящее имя. Хотя эти недостатки можно смягчить, используя методы оплаты, которые несут низкий риск возврата средств, являются быстрыми или мгновенными и используют идентификаторы счетов или электронную почту вместо реальных имен. Некоторые способы оплаты полностью исключают банковскую систему, например, cash-by-mail или торговля лицом к лицу. + + +###################################################### +## SUBMARINE +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE=Подводные свопы +# suppress inspection "UnusedProperty" +tradeApps.overview.SUBMARINE=Своп между Биткойном в сети Молния и Биткойном на цепочке +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.SUBMARINE=LN-BTC/BTC +# suppress inspection "UnusedProperty" +tradeApps.overview.security.SUBMARINE=Атомарный своп обеспечивает очень высокий уровень безопасности. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.SUBMARINE=Свопы потенциально могут улучшить конфиденциальность, разрывая следы для анализа цепочек. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.SUBMARINE=Пользователю необходимо установить и настроить кошелек "Молния". После установки пользоваться им очень удобно. +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.subHeadline=Подводные свопы позволяют безопасно обменивать биткоин вне и внутри цепочки без риска для контрагента +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.overview=Своп осуществляется путем использования секрета хэш-контракта с временной блокировкой (HTLC) в сети Lightning Network для контракта в транзакции Bitcoin. При требовании платежа Lightning отправителю платежа Lightning раскрывается секрет требования биткойна на цепочке. Это гарантирует, что один платеж разблокирует другой платеж, что позволяет осуществлять обмен без риска контрагента. +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.release=Ожидается, что подводные свопы будут готовы к выпуску во втором квартале 2025 года. +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.pro=+ Очень высокая безопасность для крупных торговых сумм\n+ Обмен биткоина в цепи на молнию может потенциально улучшить конфиденциальность.\n+ Обмен может осуществляться торговыми ботами, что обеспечивает быструю и автоматизированную торговлю. +# suppress inspection "UnusedProperty" +tradeApps.SUBMARINE.con=- Плата за майнинг при транзакциях биткоина может сделать небольшие сделки нерентабельными\n- Трейдерам приходится заботиться о тайм-аутах транзакций. В случае перегруженности блокчейна и задержки подтверждения это может представлять угрозу безопасности. + + +###################################################### +## LIQUID_MU_SIG +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG=Ликвидный MuSig +# suppress inspection "UnusedProperty" +tradeApps.overview.LIQUID_MU_SIG=Протокол Bisq MuSig перенесен на боковую цепочку жидкости +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.LIQUID_MU_SIG=L-BTC/Фиат +# suppress inspection "UnusedProperty" +tradeApps.overview.security.LIQUID_MU_SIG=Безопасность основана на гарантийных депозитах, а также на дополнительных возможностях, связанных с торговыми лимитами. Более подробную информацию смотрите в вики Bisq. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.LIQUID_MU_SIG=Зависит от используемого метода перевода фиатных средств. При онлайн-переводе фиатных средств личность обычно раскрывается партнеру по сделке. С другой стороны, эта криптовалюта обладает большей конфиденциальностью, чем биткоин в основной сети, так как транзакции являются конфиденциальными. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.LIQUID_MU_SIG=Пользователю необходимо иметь небольшую сумму L-BTC для блокировки гарантийного депозита. Блокчейн подтверждает ликвидность очень быстро (около 1 минуты). Время торговли зависит от используемого метода оплаты и времени реакции трейдера. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.subHeadline=На основе гарантийного депозита, транзакции MuSig и многоуровневого процесса разрешения споров +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.overview=Концептуально он повторяет протокол Bisq MuSig (в основной сети Биткойна). Ликвид не обладает такими же цензурными свойствами, как Биткойн, хотя и имеет ряд преимуществ перед Биткойн-майнетом:\n- У ликвида очень короткое время подтверждения блока - около 1 минуты.\n- Комиссии за транзакции очень низкие.\n- Конфиденциальность лучше благодаря конфиденциальным транзакциям, которые скрывают отправляемую сумму. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.release=Ожидается, что Liquid MuSig будет готов к выпуску во втором квартале 2025 года. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.pro=+ Разумная безопасность для торговых сумм средней стоимости\n+ По сравнению с Bisq MuSig более низкие комиссии за транзакции, более быстрое подтверждение и лучшая конфиденциальность.\n+ Удается работать с унаследованной системой мира Фиата. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_MU_SIG.con=- Оба трейдера должны иметь L-BTC для гарантийного депозита.\n- Liquid является федеративной боковой цепочкой и не имеет такого высокого уровня цензуроустойчивости, как mainnet Bitcoin.\n- Ввод привязки из основной сети Bitcoin в Liquid Bitcoin не требует доверия, хотя для привязки L-BTC к BTC требуется разрешение федерации.\n- Узел-производитель Bisq должен быть онлайн, так как процесс принятия предложения является интерактивным.\n- Поскольку перевод фиатных средств осуществляется с помощью старых систем, таких как банковские переводы, он наследует все эти недостатки, такие как риск возврата средств, медленный перевод, конфиденциальность, когда реквизиты банковского перевода содержат настоящее имя. Хотя эти недостатки можно смягчить, используя методы оплаты, которые несут низкий риск возврата средств, являются быстрыми или мгновенными и используют идентификаторы счетов или электронную почту вместо реальных имен. Некоторые способы оплаты полностью исключают банковскую систему, например, cash-by-mail или торговля лицом к лицу. + + +###################################################### +## BISQ_LIGHTNING +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING=Bisq Молния +# suppress inspection "UnusedProperty" +tradeApps.overview.BISQ_LIGHTNING=Позволяет обменивать биткоин в Молниеносной сети на фиаты, сочетая подводные свопы и протокол ликвидного мусига. +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.BISQ_LIGHTNING=LN-BTC/Фиат +# suppress inspection "UnusedProperty" +tradeApps.overview.security.BISQ_LIGHTNING=Безопасность основана на гарантийных депозитах, а также на дополнительных возможностях, связанных с торговыми лимитами. Более подробную информацию смотрите в вики Bisq. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.BISQ_LIGHTNING=Зависит от используемого метода перевода фиатных средств. Онлайн-перевод фиатных средств обычно раскрывает личность собеседника. На стороне молнии он обладает большей конфиденциальностью, чем биткойн на цепочке, поскольку не оставляет следов на блокчейне. На стороне Liquid он обладает большей конфиденциальностью, чем биткойн в сети, благодаря конфиденциальным транзакциям. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.BISQ_LIGHTNING=Пользователю необходимо иметь небольшую сумму биткоинов на молнии для блокировки гарантийного депозита. Подводные свопы и торговые операции осуществляются благодаря быстрому времени подтверждения в блокчейне, составляющему около 1 минуты. Время совершения сделки зависит от используемого метода оплаты и времени отклика трейдера. +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.subHeadline=Сочетает в себе подводный обмен с молнии на жидкость и протокол ликвидного MuSig +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.overview=Он позволяет трейдерам использовать свои внецепочечные биткоины на Lightning для торговли фиатом на основе протокола Liquid MuSig. Протокол представляет собой цепочку из 3 сделок и 2 различных протоколов:\n- Сначала трейдеры обменивают свои биткоины Lightning через обратный Submarine swap на L-BTC (Submarine swap между Lightning и Liquid). Этот обмен происходит с любым поставщиком ликвидности, а не с торговым партнером.\n- Затем торговля происходит на Liquid с использованием протокола MuSig.\n- После завершения сделки L-BTC обмениваются обратно на Lightning с помощью подводного свопа (опять же с другим трейдером/провайдером ликвидности). +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.release=Ожидается, что Bisq Lightning будет готов к выпуску во втором квартале 2025 года. +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.pro=+ Разумная безопасность для торговых сумм средней стоимости\n+ По сравнению с Bisq MuSig более низкие комиссии за транзакции, более быстрое подтверждение и лучшая конфиденциальность.\n+ Удается работать с унаследованной системой мира Фиата. +# suppress inspection "UnusedProperty" +tradeApps.BISQ_LIGHTNING.con=- Оба трейдера должны иметь BTC на Lightning для гарантийного депозита\n- Участие двух дополнительных трейдеров для свопов Submarine добавляет сложности и потенциальные (довольно небольшие) риски.\n- Liquid является федеративной боковой цепочкой и не имеет такого высокого уровня цензуроустойчивости, как мейннет Биткойн.\n- Пег-ин из мэйннет-биткоина в Liquid Bitcoin не требует доверия, хотя для пег-аута L-BTC в BTC требуется авторизация федерации.\n- Узел-производитель Bisq должен быть онлайн, так как процесс принятия предложения является интерактивным.\n- Поскольку перевод фиатных средств осуществляется с помощью старых систем, таких как банковские переводы, он наследует все эти недостатки, такие как риск возврата средств, медленный перевод, конфиденциальность, когда реквизиты банковского перевода содержат настоящее имя. Хотя эти недостатки можно смягчить, используя методы оплаты, которые несут низкий риск возврата средств, являются быстрыми или мгновенными и используют идентификаторы счетов или электронную почту вместо реальных имен. Некоторые способы оплаты полностью исключают банковскую систему, например, cash-by-mail или торговля лицом к лицу. + + +###################################################### +## LIQUID_SWAP +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP=Ликвидные свопы +# suppress inspection "UnusedProperty" +tradeApps.overview.LIQUID_SWAP=Торгуйте любыми активами на базе Liquid, такими как USDT и BTC-L, с помощью атомарного свопа в сети Liquid +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.LIQUID_SWAP=Ликвидные активы +# suppress inspection "UnusedProperty" +tradeApps.overview.security.LIQUID_SWAP=Максимальная безопасность благодаря использованию смарт-контрактов на одном блокчейне. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.LIQUID_SWAP=Liquid поддерживает конфиденциальные транзакции, не раскрывая сумму в блокчейне. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.LIQUID_SWAP=Пользователю необходимо установить и настроить кошелек Elements для Liquid. После установки пользоваться им очень удобно. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.subHeadline=Торговый протокол на основе атомарного свопа на боковой цепочке Liquid для торговли любым активом Liquid +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.overview=Для использования свопов Liquid необходимо установить и запустить кошелек Elements и настроить его так, чтобы доступ к нему можно было получить из приложения Bisq.\n\nСамый распространенный актив на Liquid - USDT (Tether), стабильная монета, привязанная к доллару США. Хотя это и не сравнимо с биткойном, у него есть много преимуществ перед фиатным долларом, который обычно предполагает банковские переводы со всеми проблемами и неудобствами, присущими унаследованной фиатной системе.\n\nНа другом конце сделки может использоваться L-BTC, который является заменой биткоина в цепочке Liquid. Чтобы конвертировать Bitcoin в L-BTC, нужно отправить Bitcoin на привязанный адрес и после 102 подтверждений получить за это L-BTC. Обратный переход от L-BTC к биткойну (peg-out) работает аналогично, но требует авторизации от федерации Liquid, которая представляет собой группу компаний и частных лиц в пространстве биткойна. Таким образом, этот процесс не является полностью лишенным доверия.\n\nНе стоит сравнивать активы Liquid со свойствами биткойна. Они нацелены на другие сценарии использования и не могут соответствовать высокому уровню децентрализации и цензуроустойчивости биткоина. Его можно рассматривать скорее как альтернативу традиционным финансовым продуктам. Благодаря использованию технологии blockchain она позволяет избежать классических посредников, повысить уровень безопасности и конфиденциальности и обеспечить лучший пользовательский опыт. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.release=Ликвидные свопы все еще находятся в разработке. Ожидается, что он будет выпущен во втором квартале 2025 года. +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.pro=+ Конфиденциальные сделки обеспечивают высокую степень конфиденциальности\n+ Быстрое время подтверждения - около 1 минуты\n+ Низкие комиссии за транзакции\n+ Подходит для сделок с высокой стоимостью +# suppress inspection "UnusedProperty" +tradeApps.LIQUID_SWAP.con=- Требуется запуск кошелька Elements и блокчейна\n- Оба трейдера должны быть онлайн\n- Вывод средств из L-BTC не является бездоверием + + +###################################################### +## BSQ_SWAP +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP=Свопы BSQ +# suppress inspection "UnusedProperty" +tradeApps.overview.BSQ_SWAP=Торгуйте биткойном и токеном BSQ с помощью атомарных свопов, мгновенно и безопасно +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.BSQ_SWAP=BSQ/BTC +# suppress inspection "UnusedProperty" +tradeApps.overview.security.BSQ_SWAP=Максимальная безопасность благодаря использованию смарт-контракта на том же блокчейне. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.BSQ_SWAP=Сдерживается ограничениями конфиденциальности Биткойна и зависит от поведения пользователя (избегание слияния монет при нескольких сделках повышает конфиденциальность). У BSQ потенциально меньше приватности из-за меньшего набора анонимности. Дополнительную информацию см. в вики Bisq. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.BSQ_SWAP=Пользователю необходимо установить и настроить кошелек BSQ. После установки пользоваться им очень удобно. +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.subHeadline=Атомарный обмен между BSQ (цветная монета на Bitcoin) и Bitcoin +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.overview=Та же модель, что и в Bisq 1. Поскольку она основана на одной единственной атомарной транзакции, она очень безопасна.\nДля ее реализации потребуется запустить узел Bisq 1 с включенным DAO API. +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.release=Ожидается, что свопы BSQ будут готовы к выпуску в 3 квартале 2025 года. +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.pro=+ Очень безопасно\n+ Относительно быстрая, считается, что только после подтверждения блокчейна сделка считается завершенной\n+ Отсутствие комиссии за совершение сделки и не требуется гарантийный депозит +# suppress inspection "UnusedProperty" +tradeApps.BSQ_SWAP.con=- Необходимо запустить Bisq 1 для получения данных BSQ/DAO\n- Ограничен рынком BSQ/BTC + + +###################################################### +## LIGHTNING_ESCROW +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW=Молниеносный Escrow +# suppress inspection "UnusedProperty" +tradeApps.overview.LIGHTNING_ESCROW=Торговый протокол на основе Escrow в сети Lightning с использованием многосторонней вычислительной криптографии +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.LIGHTNING_ESCROW=LN-BTC/Фиат +# suppress inspection "UnusedProperty" +tradeApps.overview.security.LIGHTNING_ESCROW=Безопасность основана на депозитах, а также на дополнительных возможностях в отношении торговых лимитов. Протокол использует некоторые новые криптографические техники, которые не прошли боевых испытаний и аудита. Более подробную информацию можно найти в Bisq wiki. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.LIGHTNING_ESCROW=Зависит от используемого метода перевода фиатных средств. Онлайн-перевод фиатных средств обычно раскрывает личность участника сделки. Со стороны Биткойна это ограничено ограничениями конфиденциальности Биткойна и зависит от поведения пользователя (избегание слияния монет при нескольких сделках повышает конфиденциальность). Дополнительную информацию см. в вики Bisq. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.LIGHTNING_ESCROW=Пользователю необходимо иметь небольшую сумму биткоинов для блокировки залога. +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.subHeadline=Трехсторонний протокол для торговли фиатом с биткойном в сети Молния. +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.overview=Он основан на множественных платежах Lightning и разделяет секреты для HTLC, чтобы создать безопасную систему, в которой третья сторона гарантирует, что трейдеры ведут себя честно. Для обеспечения безопасности многосторонних вычислений используются схемы с гарью.\n\nПользователю необходимо запустить узел Lightning, который настроен с помощью приложения Bisq.\n\nКонцептуально он похож на протокол Bisq MuSig, но вместо транзакций MuSig используется трехсторонний механизм, а вместо биткоина на цепочке - биткоин в Lightning Network. +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.release=Ожидается, что Lightning Escrow будет готов к выпуску в 4 квартале 2025 года. +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.pro=+ По сравнению с Bisq Easy защитные свойства лучше, и можно торговать большими суммами. Более высокие суммы приближают торговые цены к рыночным.\n+ Перевод биткойнов происходит практически мгновенно\n+ Очень низкие комиссии за транзакции (маршрутизацию) +# suppress inspection "UnusedProperty" +tradeApps.LIGHTNING_ESCROW.con=- Необходимо запустить узел Lightning\n- Оба трейдера должны иметь BTC (на Lightning) для гарантийного депозита.\n- Нода Bisq должна быть онлайн, так как процесс принятия предложения интерактивен.\n- Поскольку перевод фиатных средств осуществляется с помощью традиционных систем, таких как банковские переводы, он наследует все эти недостатки, такие как риск возврата средств, медленный перевод, угроза конфиденциальности, когда реквизиты банковского перевода содержат настоящее имя. Хотя эти недостатки можно смягчить, используя методы оплаты, которые несут низкий риск возврата средств, являются быстрыми или мгновенными и используют идентификаторы счетов или электронную почту вместо реальных имен. Некоторые способы оплаты полностью исключают банковскую систему, например, cash-by-mail или торговля лицом к лицу. + + +###################################################### +## MONERO_SWAP +###################################################### + +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP=Свопы Monero +# suppress inspection "UnusedProperty" +tradeApps.overview.MONERO_SWAP=Торговля Bitcoin и Monero с помощью атомарного кросс-цепочечного свопа +# suppress inspection "UnusedProperty" +tradeApps.overview.markets.MONERO_SWAP=XMR/BTC +# suppress inspection "UnusedProperty" +tradeApps.overview.security.MONERO_SWAP=Очень высокая безопасность благодаря использованию адаптерных подписей для атомарного обмена между блокчейнами Monero и Bitcoin. +# suppress inspection "UnusedProperty" +tradeApps.overview.privacy.MONERO_SWAP=Очень высокий уровень для Monero из-за присущей ему высокой степени конфиденциальности. Со стороны Биткойна это сдерживается ограничениями конфиденциальности Биткойна. +# suppress inspection "UnusedProperty" +tradeApps.overview.convenience.MONERO_SWAP=Пользователю необходимо установить демон подкачки Farcaster и полный узел Monero и Bitcoin. После установки он становится очень удобным. +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.subHeadline=Атомарный протокол межцепочечного обмена для торговли биткоином с Monero +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.overview=Основан на проекте Farcaster (финансируемом сообществом Monero) и использует хэшированные контракты с временным замком (HTLC), адаптивные подписи и доказательство нулевого знания для атомарного обмена Bitcoin и Monero.\n\nПользователю необходимо установить и запустить узел Bitcoin, узел Monero и демон Farcaster. Во время обмена узлы обоих трейдеров должны быть онлайн. Дополнительные усилия при использовании этого протокола окупаются очень высоким уровнем безопасности. Однако пользователям следует ознакомиться с деталями этой концепции и помнить, что есть крайние случаи, несущие небольшие риски. +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.release=Ожидается, что свопы Monero будут готовы к выпуску в 3 квартале 2025 года. +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.pro=+ Очень безопасно\n+ Достойная конфиденциальность. Со стороны Bitcoin он наследует свойства конфиденциальности Bitcoin. Со стороны Monero он выигрывает от высокой конфиденциальности Monero.\n+ Подходит для транзакций с высокой стоимостью +# suppress inspection "UnusedProperty" +tradeApps.MONERO_SWAP.con=- Требуются определенные технические навыки и опыт для запуска необходимой инфраструктуры.\n- Время подтверждения основано на подтверждениях на обоих блокчейнах, которые обычно составляют около 20-30 минут.\n- Комиссия за транзакцию на стороне биткойна может быть нетривиальной в случае высокой перегруженности блокчейна (впрочем, это случается довольно редко)\n- Оба трейдера должны быть онлайн\n- Требуется много быстрой дисковой памяти для узлов diff --git a/shared/domain/src/commonMain/resources/mobile/user.properties b/shared/domain/src/commonMain/resources/mobile/user.properties new file mode 100644 index 00000000..1ef8c553 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/user.properties @@ -0,0 +1,164 @@ +################################################################################ +# +# User module +# +################################################################################ + +user.userProfile.tooltip=Nickname: {0}\nBot ID: {1}\nProfile ID: {2}\n{3} +user.userProfile.tooltip.banned=This profile is banned! +user.userProfile.userName.banned=[Banned] {0} +user.userProfile.livenessState=Last user activity: {0} ago +user.userProfile.livenessState.ageDisplay={0} ago +user.userProfile.version=Version: {0} +# Dynamic values using TransportType.name() +# suppress inspection "UnusedProperty" +user.userProfile.addressByTransport.CLEAR=Clear net address: {0} +# suppress inspection "UnusedProperty" +user.userProfile.addressByTransport.TOR=Tor address: {0} +# suppress inspection "UnusedProperty" +user.userProfile.addressByTransport.I2P=I2P address: {0} + + +################################################################################ +# +# Desktop module / User (options) section +# +################################################################################ + +user.userProfile=User profile +user.password=Password +user.paymentAccounts=Payment accounts + + +################################################################################ +# User profile +################################################################################ + +user.bondedRoles.userProfile.select=Select user profile +user.bondedRoles.userProfile.select.invalid=Please pick a user profile from the list +user.userProfile.comboBox.description=User profile +user.userProfile.nymId=Bot ID +user.userProfile.nymId.tooltip=\ + The 'Bot ID' is generated from the hash of the public key of that\n\ + user profiles identity.\n\ + It is appended to the nickname in case there are multiple user profiles in\n\ + the network with the same nickname to distinct clearly between those profiles. +user.userProfile.profileId=Profile ID +user.userProfile.profileId.tooltip=\ + The 'Profile ID' is the hash of the public key of that user profiles identity\n\ + encoded as hexadecimal string. +user.userProfile.profileAge=Profile age +user.userProfile.profileAge.tooltip=The 'Profile age' is the age in days of that user profile. +user.userProfile.livenessState.description=Last user activity +user.userProfile.livenessState.tooltip=The time passed since the user profile has been republished to the network triggered by user activity like mouse movements. +user.userProfile.reputation=Reputation +user.userProfile.statement=Statement +user.userProfile.statement.prompt=Enter optional statement +user.userProfile.statement.tooLong=Statement must not be longer than {0} characters +user.userProfile.terms=Trade terms +user.userProfile.terms.prompt=Enter optional trade terms +user.userProfile.terms.tooLong=Trade terms must not be longer than {0} characters + +user.userProfile.createNewProfile=Create new profile +user.userProfile.learnMore=Why create a new profile? +user.userProfile.deleteProfile=Delete profile +user.userProfile.deleteProfile.popup.warning=Do you really want to delete {0}? You cannot un-do this operation. +user.userProfile.deleteProfile.popup.warning.yes=Yes, delete profile +user.userProfile.deleteProfile.cannotDelete=Deleting user profile is not permitted\n\n\ + To 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.userProfile.popup.noSelectedProfile=Please pick a user profile from the list +user.userProfile.save.popup.noChangesToBeSaved=There are no new changes to be saved + + +################################################################################ +# Create user profile +################################################################################ + +user.userProfile.new.step2.headline=Complete your profile +user.userProfile.new.step2.subTitle=You can optionally add a personalized statement to your profile and set your trade terms. +user.userProfile.new.statement=Statement +user.userProfile.new.statement.prompt=Optional add statement +user.userProfile.new.terms=Your trade terms +user.userProfile.new.terms.prompt=Optional set trade terms + + +################################################################################ +# Password +################################################################################ + +user.password.headline.setPassword=Set password protection +user.password.headline.removePassword=Remove password protection +user.password.button.savePassword=Save password +user.password.button.removePassword=Remove password +user.password.enterPassword=Enter password (min. 8 characters) +user.password.confirmPassword=Confirm password +user.password.savePassword.success=Password protection enabled. +user.password.removePassword.success=Password protection removed. +user.password.removePassword.failed=Invalid password. + + +################################################################################ +# Payment accounts +################################################################################ + +user.paymentAccounts.headline=Your payment accounts +user.paymentAccounts.noAccounts.headline=Your payment accounts +user.paymentAccounts.noAccounts.info=You haven't set up any accounts yet. +user.paymentAccounts.noAccounts.whySetup=Why is setting up an account useful? +user.paymentAccounts.noAccounts.whySetup.info=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.paymentAccounts.noAccounts.whySetup.note=Background information:\n\ + Your account data is exclusively stored locally on your \ + computer and is shared with your trade partner only when you decide to share it. +user.paymentAccounts.accountData=Payment account info +user.paymentAccounts.selectAccount=Select payment account +user.paymentAccounts.createAccount=Create new payment account +user.paymentAccounts.deleteAccount=Delete payment account +user.paymentAccounts.createAccount.headline=Add new payment account +user.paymentAccounts.createAccount.subtitle=The payment account is stored only locally on your computer and \ + only sent to your trade peer if you decide to do so. +user.paymentAccounts.createAccount.accountName=Payment account name +user.paymentAccounts.createAccount.accountName.prompt=Set a unique name for your payment account +user.paymentAccounts.createAccount.accountData.prompt=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.createAccount.sameName=This account name is already used. Please use a different name. + + +################################################################################ +# User Details Popup +################################################################################ + +user.profileCard.userNickname.banned=[Banned] {0} +user.profileCard.reputation.totalReputationScore=Total Reputation Score +user.profileCard.reputation.ranking=Ranking +user.profileCard.userActions.sendPrivateMessage=Send private message +user.profileCard.userActions.ignore=Ignore +user.profileCard.userActions.undoIgnore=Undo ignore +user.profileCard.userActions.report=Report to moderator +user.profileCard.tab.overview=Overview +user.profileCard.tab.details=Details +user.profileCard.tab.offers=Offers ({0}) +user.profileCard.tab.reputation=Reputation +user.profileCard.overview.statement=Statement +user.profileCard.overview.tradeTerms=Trade terms +user.profileCard.details.botId=Bot ID +user.profileCard.details.userId=User ID +user.profileCard.details.transportAddress=Transport address +user.profileCard.details.totalReputationScore=Total reputation score +user.profileCard.details.profileAge=Profile age +user.profileCard.details.lastUserActivity=Last user activity +user.profileCard.details.version=Software version +user.profileCard.offers.table.columns.market=Market +user.profileCard.offers.table.columns.offer=Offer +user.profileCard.offers.table.columns.amount=Amount +user.profileCard.offers.table.columns.price=Price +user.profileCard.offers.table.columns.paymentMethods=Payment methods +user.profileCard.offers.table.columns.offerAge=Age +user.profileCard.offers.table.columns.offerAge.tooltip=Creation date:\n{0} +user.profileCard.offers.table.columns.goToOffer.button=Go to offer +user.profileCard.offers.table.placeholderText=No offers diff --git a/shared/domain/src/commonMain/resources/mobile/user_af_ZA.properties b/shared/domain/src/commonMain/resources/mobile/user_af_ZA.properties new file mode 100644 index 00000000..291af826 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/user_af_ZA.properties @@ -0,0 +1,113 @@ +################################################################################ +# +# User module +# +################################################################################ + +user.userProfile.tooltip=Bynaam: {0}\nBot-ID: {1}\nProfiel-ID: {2}\n{3} +user.userProfile.tooltip.banned=Hierdie profiel is verbied! +user.userProfile.userName.banned=[Banned] {0} +user.userProfile.livenessState=Laaste gebruikersaktiwiteit: {0} gelede +user.userProfile.livenessState.ageDisplay=__PLAASHOUER_9152f9e8-01c5-4747-b893-c98aa036de64__ gelede +user.userProfile.version=Weergawe: {0} +# Dynamic values using TransportType.name() +# suppress inspection "UnusedProperty" +user.userProfile.addressByTransport.CLEAR=Maak skoon net adres: {0} +# suppress inspection "UnusedProperty" +user.userProfile.addressByTransport.TOR=Tor adres: {0} +# suppress inspection "UnusedProperty" +user.userProfile.addressByTransport.I2P=I2P adres: {0} + + +################################################################################ +# +# Desktop module / User (options) section +# +################################################################################ + +user.userProfile=Gebruiker profiel +user.password=Wagwoord +user.paymentAccounts=Betalingrekeninge + + +################################################################################ +# User profile +################################################################################ + +user.bondedRoles.userProfile.select=Kies gebruiker profiel +user.bondedRoles.userProfile.select.invalid=Verskaf asseblief 'n gebruikersprofiel uit die lys +user.userProfile.comboBox.description=Gebruikersprofiel +user.userProfile.nymId=Bot-ID +user.userProfile.nymId.tooltip=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.profileId=Profiel-ID +user.userProfile.profileId.tooltip=Die 'Profiel-ID' is die hash van die publieke sleutel van daardie gebruiker se profielidentiteit\ngecodeer as 'n hexadesimale string. +user.userProfile.profileAge=Profiel-ouderdom +user.userProfile.profileAge.tooltip=Die 'Profiel-ouderdom' is die ouderdom in dae van daardie gebruikersprofiel. +user.userProfile.livenessState.description=Laaste gebruiker aktiwiteit +user.userProfile.livenessState.tooltip=Die tyd wat verstryk het sedert die gebruikersprofiel weer aan die netwerk gepubliseer is, geaktiveer deur gebruikersaktiwiteite soos muisbewegings. +user.userProfile.reputation=Reputasie +user.userProfile.statement=Staat +user.userProfile.statement.prompt=Voer opsionele verklaring in +user.userProfile.statement.tooLong=Die verklaring mag nie langer wees as {0} karakters nie +user.userProfile.terms=Handel terme +user.userProfile.terms.prompt=Voer opsionele handel voorwaardes in +user.userProfile.terms.tooLong=Handel terme mag nie langer wees as {0} karakters nie + +user.userProfile.createNewProfile=Skep nuwe profiel +user.userProfile.learnMore=Hoekom 'n nuwe profiel skep? +user.userProfile.deleteProfile=Verwyder profiel +user.userProfile.deleteProfile.popup.warning=Wil jy regtig {0} verwyder? Jy kan hierdie operasie nie ongedaan maak nie. +user.userProfile.deleteProfile.popup.warning.yes=Ja, verwyder profiel +user.userProfile.deleteProfile.cannotDelete=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.userProfile.popup.noSelectedProfile=Asseblief kies 'n gebruiker profiel uit die lys +user.userProfile.save.popup.noChangesToBeSaved=Daar is geen nuwe veranderinge om gestoor te word + + +################################################################################ +# Create user profile +################################################################################ + +user.userProfile.new.step2.headline=Voltooi jou profiel +user.userProfile.new.step2.subTitle=U kan opsioneel 'n persoonlike verklaring by u profiel voeg en u handel voorwaardes stel. +user.userProfile.new.statement=Staat +user.userProfile.new.statement.prompt=Opsionele addens verklaring +user.userProfile.new.terms=Jou handel terme +user.userProfile.new.terms.prompt=Opsionele stel handel voorwaardes + + +################################################################################ +# Password +################################################################################ + +user.password.headline.setPassword=Stel wagwoordbeskerming in +user.password.headline.removePassword=Verwyder wagwoordbeskerming +user.password.button.savePassword=Stoor wagwoord +user.password.button.removePassword=Verwyder wagwoord +user.password.enterPassword=Voer wagwoord in (min. 8 karakters) +user.password.confirmPassword=Bevestig wagwoord +user.password.savePassword.success=Wagwoordbeskerming geaktiveer. +user.password.removePassword.success=Wagwoordbeskerming verwyder. +user.password.removePassword.failed=Ongeldige wagwoord. + + +################################################################################ +# Payment accounts +################################################################################ + +user.paymentAccounts.headline=Jou betalingrekeninge +user.paymentAccounts.noAccounts.headline=Jou betalingrekeninge +user.paymentAccounts.noAccounts.info=Jy het nog nie enige rekeninge opgestel nie. +user.paymentAccounts.noAccounts.whySetup=Hoekom is dit nuttig om 'n rekening op te stel? +user.paymentAccounts.noAccounts.whySetup.info=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.paymentAccounts.noAccounts.whySetup.note=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.paymentAccounts.accountData=Betalingrekening inligting +user.paymentAccounts.selectAccount=Kies betalingrekening +user.paymentAccounts.createAccount=Skep nuwe betalingrekening +user.paymentAccounts.deleteAccount=Verwyder betalingrekening +user.paymentAccounts.createAccount.headline=Voeg nuwe betalingrekening by +user.paymentAccounts.createAccount.subtitle=Die betalingrekening word slegs plaaslik op jou rekenaar gestoor en slegs na jou handelspartner gestuur as jy besluit om dit te doen. +user.paymentAccounts.createAccount.accountName=Betalingrekening naam +user.paymentAccounts.createAccount.accountName.prompt=Stel 'n unieke naam vir jou betalingrekening in +user.paymentAccounts.createAccount.accountData.prompt=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.createAccount.sameName=Hierdie rekeningnaam word reeds gebruik. Gebruik asseblief 'n ander naam. diff --git a/shared/domain/src/commonMain/resources/mobile/user_cs.properties b/shared/domain/src/commonMain/resources/mobile/user_cs.properties new file mode 100644 index 00000000..c9729a98 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/user_cs.properties @@ -0,0 +1,113 @@ +################################################################################ +# +# User module +# +################################################################################ + +user.userProfile.tooltip=Přezdívka: {0}\nBot ID: {1}\nProfilové ID: {2}\n{3} +user.userProfile.tooltip.banned=Tento profil je zakázán! +user.userProfile.userName.banned=[Zakázáno] {0} +user.userProfile.livenessState=Poslední aktivita uživatele: před {0} +user.userProfile.livenessState.ageDisplay=před {0} +user.userProfile.version=Verze: {0} +# Dynamic values using TransportType.name() +# suppress inspection "UnusedProperty" +user.userProfile.addressByTransport.CLEAR=Clear netová adresa: {0} +# suppress inspection "UnusedProperty" +user.userProfile.addressByTransport.TOR=Torová adresa: {0} +# suppress inspection "UnusedProperty" +user.userProfile.addressByTransport.I2P=I2P adresa: {0} + + +################################################################################ +# +# Desktop module / User (options) section +# +################################################################################ + +user.userProfile=Uživatelský profil +user.password=Heslo +user.paymentAccounts=Platební účty + + +################################################################################ +# User profile +################################################################################ + +user.bondedRoles.userProfile.select=Vyberte uživatelský profil +user.bondedRoles.userProfile.select.invalid=Prosím, vyberte uživatelský profil ze seznamu +user.userProfile.comboBox.description=Uživatelský profil +user.userProfile.nymId=Bot ID +user.userProfile.nymId.tooltip='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.profileId=ID profilu +user.userProfile.profileId.tooltip='ID profilu' je hash veřejného klíče identity tohoto uživatelského profilu\nzakódovaný jako hexadecimální řetězec. +user.userProfile.profileAge=Stáří profilu +user.userProfile.profileAge.tooltip=Stáří profilu v dnech. +user.userProfile.livenessState.description=Poslední aktivita uživatele +user.userProfile.livenessState.tooltip=Č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.reputation=Reputace +user.userProfile.statement=Prohlášení +user.userProfile.statement.prompt=Zadejte volitelné prohlášení +user.userProfile.statement.tooLong=Prohlášení nesmí být delší než {0} znaků +user.userProfile.terms=Obchodní podmínky +user.userProfile.terms.prompt=Zadejte volitelné obchodní podmínky +user.userProfile.terms.tooLong=Obchodní podmínky nesmí být delší než {0} znaků + +user.userProfile.createNewProfile=Vytvořit nový profil +user.userProfile.learnMore=Proč vytvořit nový profil? +user.userProfile.deleteProfile=Smazat profil +user.userProfile.deleteProfile.popup.warning=Opravdu chcete smazat {0}? Tuto operaci nelze vrátit zpět. +user.userProfile.deleteProfile.popup.warning.yes=Ano, smazat profil +user.userProfile.deleteProfile.cannotDelete=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.userProfile.popup.noSelectedProfile=Prosím, vyberte uživatelský profil ze seznamu +user.userProfile.save.popup.noChangesToBeSaved=Nejsou žádné nové změny k uložení + + +################################################################################ +# Create user profile +################################################################################ + +user.userProfile.new.step2.headline=Doplňte svůj profil +user.userProfile.new.step2.subTitle=Můžete volitelně přidat osobní prohlášení do svého profilu a nastavit své obchodní podmínky. +user.userProfile.new.statement=Prohlášení +user.userProfile.new.statement.prompt=Volitelné přidat prohlášení +user.userProfile.new.terms=Vaše obchodní podmínky +user.userProfile.new.terms.prompt=Volitelně nastavit obchodní podmínky + + +################################################################################ +# Password +################################################################################ + +user.password.headline.setPassword=Nastavte ochranu heslem +user.password.headline.removePassword=Odebrat ochranu heslem +user.password.button.savePassword=Uložit heslo +user.password.button.removePassword=Odebrat heslo +user.password.enterPassword=Zadejte heslo (min. 8 znaků) +user.password.confirmPassword=Potvrďte heslo +user.password.savePassword.success=Ochrana heslem byla povolena. +user.password.removePassword.success=Ochrana heslem byla odebrána. +user.password.removePassword.failed=Neplatné heslo. + + +################################################################################ +# Payment accounts +################################################################################ + +user.paymentAccounts.headline=Vaše platební účty +user.paymentAccounts.noAccounts.headline=Vaše platební účty +user.paymentAccounts.noAccounts.info=Zatím jste nevytvořili žádné účty. +user.paymentAccounts.noAccounts.whySetup=Proč je nastavení účtu užitečné? +user.paymentAccounts.noAccounts.whySetup.info=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.paymentAccounts.noAccounts.whySetup.note=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.paymentAccounts.accountData=Informace o platebním účtu +user.paymentAccounts.selectAccount=Vyberte platební účet +user.paymentAccounts.createAccount=Vytvořit nový platební účet +user.paymentAccounts.deleteAccount=Smazat platební účet +user.paymentAccounts.createAccount.headline=Přidat nový platební účet +user.paymentAccounts.createAccount.subtitle=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.paymentAccounts.createAccount.accountName=Název platebního účtu +user.paymentAccounts.createAccount.accountName.prompt=Nastavte jedinečný název pro váš platební účet +user.paymentAccounts.createAccount.accountData.prompt=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.createAccount.sameName=Tento název účtu je již používán. Použijte prosím jiný název. diff --git a/shared/domain/src/commonMain/resources/mobile/user_de.properties b/shared/domain/src/commonMain/resources/mobile/user_de.properties new file mode 100644 index 00000000..bebdc5dc --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/user_de.properties @@ -0,0 +1,113 @@ +################################################################################ +# +# User module +# +################################################################################ + +user.userProfile.tooltip=Spitzname: {0}\nBot-ID: {1}\nProfil-ID: {2}\n{3} +user.userProfile.tooltip.banned=Dieses Profil ist gesperrt! +user.userProfile.userName.banned=[Gesperrt] {0} +user.userProfile.livenessState=Zuletzt online: Vor {0} +user.userProfile.livenessState.ageDisplay=Vor {0} +user.userProfile.version=Version: {0} +# Dynamic values using TransportType.name() +# suppress inspection "UnusedProperty" +user.userProfile.addressByTransport.CLEAR=Clear net-Adresse: {0} +# suppress inspection "UnusedProperty" +user.userProfile.addressByTransport.TOR=Tor-Adresse: {0} +# suppress inspection "UnusedProperty" +user.userProfile.addressByTransport.I2P=I2P-Adresse: {0} + + +################################################################################ +# +# Desktop module / User (options) section +# +################################################################################ + +user.userProfile=Benutzerprofil +user.password=Passwort +user.paymentAccounts=Zahlungskonten + + +################################################################################ +# User profile +################################################################################ + +user.bondedRoles.userProfile.select=Wähle Benutzerprofil +user.bondedRoles.userProfile.select.invalid=Bitte wählen Sie ein Benutzerprofil aus der Liste +user.userProfile.comboBox.description=Benutzerprofil +user.userProfile.nymId=Bot-ID +user.userProfile.nymId.tooltip=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.profileId=Profil-ID +user.userProfile.profileId.tooltip=Die 'Profil-ID' ist der Hash des öffentlichen Schlüssels der Identität dieses Benutzerprofils,\nkodiert als hexadezimaler String. +user.userProfile.profileAge=Profilalter +user.userProfile.profileAge.tooltip=Das 'Profilalter' ist das Alter in Tagen dieses Benutzerprofils. +user.userProfile.livenessState.description=Letzte Benutzeraktivität +user.userProfile.livenessState.tooltip=Die vergangene Zeit seitdem das Benutzerprofil aufgrund von Benutzeraktivitäten wie Mausbewegungen erneut im Netzwerk veröffentlicht wurde. +user.userProfile.reputation=Reputation +user.userProfile.statement=Aussage +user.userProfile.statement.prompt=Geben Sie optional eine Aussage ein +user.userProfile.statement.tooLong=Aussage darf nicht länger als {0} Zeichen sein +user.userProfile.terms=Handelsbedingungen +user.userProfile.terms.prompt=Geben Sie optional Handelsbedingungen ein +user.userProfile.terms.tooLong=Handelsbedingungen dürfen nicht länger als {0} Zeichen sein + +user.userProfile.createNewProfile=Neues Profil erstellen +user.userProfile.learnMore=Warum ein neues Profil erstellen? +user.userProfile.deleteProfile=Profil löschen +user.userProfile.deleteProfile.popup.warning=Wollen Sie {0} wirklich löschen? Dieser Vorgang kann nicht rückgängig gemacht werden. +user.userProfile.deleteProfile.popup.warning.yes=Ja, Profil löschen +user.userProfile.deleteProfile.cannotDelete=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.userProfile.popup.noSelectedProfile=Bitte wählen Sie ein Benutzerprofil aus der Liste +user.userProfile.save.popup.noChangesToBeSaved=Es gibt keine neuen Änderungen, die gespeichert werden müssen + + +################################################################################ +# Create user profile +################################################################################ + +user.userProfile.new.step2.headline=Vervollständige dein Profil +user.userProfile.new.step2.subTitle=Sie können optional eine personalisierte Aussage zu Ihrem Profil hinzufügen und Ihre Handelsbedingungen festlegen. +user.userProfile.new.statement=Aussage +user.userProfile.new.statement.prompt=Optionale Aussage hinzufügen +user.userProfile.new.terms=Ihre Handelsbedingungen +user.userProfile.new.terms.prompt=Optionale Handelsbedingungen festlegen + + +################################################################################ +# Password +################################################################################ + +user.password.headline.setPassword=Passwortschutz festlegen +user.password.headline.removePassword=Passwortschutz entfernen +user.password.button.savePassword=Passwort speichern +user.password.button.removePassword=Passwortschutz entfernen +user.password.enterPassword=Passwort eingeben (min. 8 Zeichen) +user.password.confirmPassword=Passwort bestätigen +user.password.savePassword.success=Passwortschutz aktiviert. +user.password.removePassword.success=Passwortschutz entfernt. +user.password.removePassword.failed=Ungültiges Passwort. + + +################################################################################ +# Payment accounts +################################################################################ + +user.paymentAccounts.headline=Ihre Zahlungskonten +user.paymentAccounts.noAccounts.headline=Ihre Zahlungskonten +user.paymentAccounts.noAccounts.info=Sie haben noch keine Zahlungskonten eingerichtet. +user.paymentAccounts.noAccounts.whySetup=Wieso ist die Einrichtung eines Kontos nützlich? +user.paymentAccounts.noAccounts.whySetup.info=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.paymentAccounts.noAccounts.whySetup.note=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.paymentAccounts.accountData=Informationen zum Zahlungskonto +user.paymentAccounts.selectAccount=Zahlungskonto auswählen +user.paymentAccounts.createAccount=Neues Zahlungskonto erstellen +user.paymentAccounts.deleteAccount=Zahlungskonto löschen +user.paymentAccounts.createAccount.headline=Neues Zahlungskonto hinzufügen +user.paymentAccounts.createAccount.subtitle=Das Zahlungskonto wird ausschließlich lokal auf Ihrem Computer gespeichert und nur an Ihren Handelspartner gesendet, wenn Sie sich dazu entscheiden. +user.paymentAccounts.createAccount.accountName=Name des Zahlungskontos +user.paymentAccounts.createAccount.accountName.prompt=Legen Sie einen eindeutigen Namen für Ihr Zahlungskonto fest +user.paymentAccounts.createAccount.accountData.prompt=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.createAccount.sameName=Dieser Name wird bereits verwendet. Bitte wählen Sie einen anderen Namen. diff --git a/shared/domain/src/commonMain/resources/mobile/user_es.properties b/shared/domain/src/commonMain/resources/mobile/user_es.properties new file mode 100644 index 00000000..493526b3 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/user_es.properties @@ -0,0 +1,113 @@ +################################################################################ +# +# User module +# +################################################################################ + +user.userProfile.tooltip=Apodo: {0}\nID de Bot: {1}\nID de Perfil: {2}\n{3} +user.userProfile.tooltip.banned=¡Este perfil está baneado! +user.userProfile.userName.banned=[Baneado] {0} +user.userProfile.livenessState=Última actividad del usuario: hace {0} +user.userProfile.livenessState.ageDisplay=hace {0} +user.userProfile.version=Versión: {0} +# Dynamic values using TransportType.name() +# suppress inspection "UnusedProperty" +user.userProfile.addressByTransport.CLEAR=Dirección clearnet: {0} +# suppress inspection "UnusedProperty" +user.userProfile.addressByTransport.TOR=Dirección Tor: {0} +# suppress inspection "UnusedProperty" +user.userProfile.addressByTransport.I2P=Dirección I2P: {0} + + +################################################################################ +# +# Desktop module / User (options) section +# +################################################################################ + +user.userProfile=Perfil de usuario +user.password=Contraseña +user.paymentAccounts=Cuentas de pago + + +################################################################################ +# User profile +################################################################################ + +user.bondedRoles.userProfile.select=Seleccionar perfil de usuario +user.bondedRoles.userProfile.select.invalid=Por favor, elija un perfil de usuario de la lista +user.userProfile.comboBox.description=Perfil de usuario +user.userProfile.nymId=ID de Bot +user.userProfile.nymId.tooltip=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.profileId=ID de Perfil +user.userProfile.profileId.tooltip=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. +user.userProfile.profileAge=Edad del perfil +user.userProfile.profileAge.tooltip=La 'edad del perfil' es la antigüedad en días de ese perfil de usuario. +user.userProfile.livenessState.description=Última actividad del usuario +user.userProfile.livenessState.tooltip=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.reputation=Reputación +user.userProfile.statement=Estado +user.userProfile.statement.prompt=Introduzca un estado opcional +user.userProfile.statement.tooLong=El estado no debe tener más de {0} caracteres +user.userProfile.terms=Términos de compra-venta +user.userProfile.terms.prompt=Introduce términos de compra-venta opcionales +user.userProfile.terms.tooLong=Los términos de compra-venta no deben ocupar más de {0} caracteres + +user.userProfile.createNewProfile=Crear nuevo perfil +user.userProfile.learnMore=¿Por qué crear un nuevo perfil? +user.userProfile.deleteProfile=Eliminar perfil +user.userProfile.deleteProfile.popup.warning=¿Realmente deseas eliminar {0}? Esta operación no se puede deshacer. +user.userProfile.deleteProfile.popup.warning.yes=Sí, eliminar perfil +user.userProfile.deleteProfile.cannotDelete=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.userProfile.popup.noSelectedProfile=Por favor, elija un perfil de usuario de la lista +user.userProfile.save.popup.noChangesToBeSaved=No hay cambios nuevos que guardar + + +################################################################################ +# Create user profile +################################################################################ + +user.userProfile.new.step2.headline=Completa tu perfil +user.userProfile.new.step2.subTitle=Opcionalmente puedes agregar un estado personalizado en tu perfil y establecer tus términos de compra-venta +user.userProfile.new.statement=Estado +user.userProfile.new.statement.prompt=Agregar estado opcional +user.userProfile.new.terms=Tus términos de compra-venta +user.userProfile.new.terms.prompt=Establecer términos de compra-venta opcionales + + +################################################################################ +# Password +################################################################################ + +user.password.headline.setPassword=Establecer protección de contraseña +user.password.headline.removePassword=Eliminar protección de contraseña +user.password.button.savePassword=Guardar contraseña +user.password.button.removePassword=Eliminar contraseña +user.password.enterPassword=Introduce la contraseña (mín. 8 caracteres) +user.password.confirmPassword=Confirmar contraseña +user.password.savePassword.success=Protección de contraseña activada. +user.password.removePassword.success=Protección de contraseña eliminada. +user.password.removePassword.failed=Contraseña inválida. + + +################################################################################ +# Payment accounts +################################################################################ + +user.paymentAccounts.headline=Tus cuentas de pago +user.paymentAccounts.noAccounts.headline=Tus cuentas de pago +user.paymentAccounts.noAccounts.info=No has configurado ninguna cuenta todavía. +user.paymentAccounts.noAccounts.whySetup=¿Por qué es útil configurar una cuenta? +user.paymentAccounts.noAccounts.whySetup.info=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.paymentAccounts.noAccounts.whySetup.note=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.paymentAccounts.accountData=Información de la cuenta de pago +user.paymentAccounts.selectAccount=Seleccionar cuenta de pago +user.paymentAccounts.createAccount=Crear nueva cuenta de pago +user.paymentAccounts.deleteAccount=Eliminar cuenta de pago +user.paymentAccounts.createAccount.headline=Agregar nueva cuenta de pago +user.paymentAccounts.createAccount.subtitle=La cuenta de pago se almacena exclusivamente localmente en tu ordenador y se comparte con tu contraparte solo si tú decides compartirlos. +user.paymentAccounts.createAccount.accountName=Nombre de la cuenta de pago +user.paymentAccounts.createAccount.accountName.prompt=Establece un nombre único para tu cuenta de pago +user.paymentAccounts.createAccount.accountData.prompt=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.createAccount.sameName=Este nombre de cuenta ya está en uso. Por favor, usa un nombre diferente. diff --git a/shared/domain/src/commonMain/resources/mobile/user_it.properties b/shared/domain/src/commonMain/resources/mobile/user_it.properties new file mode 100644 index 00000000..17ce1606 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/user_it.properties @@ -0,0 +1,113 @@ +################################################################################ +# +# User module +# +################################################################################ + +user.userProfile.tooltip=Nickname: {0}\nID Bot: {1}\nID Profilo: {2}\n{3} +user.userProfile.tooltip.banned=Questo profilo è stato bannato! +user.userProfile.userName.banned=[Bannato] {0} +user.userProfile.livenessState=Ultima attività dell'utente: {0} fa +user.userProfile.livenessState.ageDisplay={0} fa +user.userProfile.version=Versione: {0} +# Dynamic values using TransportType.name() +# suppress inspection "UnusedProperty" +user.userProfile.addressByTransport.CLEAR=Indirizzo di rete chiaro: {0} +# suppress inspection "UnusedProperty" +user.userProfile.addressByTransport.TOR=Indirizzo Tor: {0} +# suppress inspection "UnusedProperty" +user.userProfile.addressByTransport.I2P=Indirizzo I2P: {0} + + +################################################################################ +# +# Desktop module / User (options) section +# +################################################################################ + +user.userProfile=Profilo utente +user.password=Password +user.paymentAccounts=Account di pagamento + + +################################################################################ +# User profile +################################################################################ + +user.bondedRoles.userProfile.select=Seleziona profilo utente +user.bondedRoles.userProfile.select.invalid=Si prega di selezionare un profilo utente dalla lista +user.userProfile.comboBox.description=Profilo utente +user.userProfile.nymId=ID Bot +user.userProfile.nymId.tooltip=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.profileId=ID Profilo +user.userProfile.profileId.tooltip=L'ID Profilo è l'hash della chiave pubblica dell'identità di quel profilo utente\ncodificato come stringa esadecimale. +user.userProfile.profileAge=Età del profilo +user.userProfile.profileAge.tooltip=L'età del profilo è il numero di giorni del profilo utente. +user.userProfile.livenessState.description=Ultima attività dell'utente +user.userProfile.livenessState.tooltip=Il tempo trascorso dall'ultima pubblicazione del profilo utente sulla rete, attivata da attività dell'utente come i movimenti del mouse. +user.userProfile.reputation=Reputazione +user.userProfile.statement=Affermazione +user.userProfile.statement.prompt=Inserire una dichiarazione facoltativa +user.userProfile.statement.tooLong=La dichiarazione non deve superare {0} caratteri +user.userProfile.terms=Termini di scambio +user.userProfile.terms.prompt=Inserire termini di scambio facoltativi +user.userProfile.terms.tooLong=I termini di scambio non devono superare {0} caratteri + +user.userProfile.createNewProfile=Crea nuovo profilo +user.userProfile.learnMore=Perché creare un nuovo profilo? +user.userProfile.deleteProfile=Elimina profilo +user.userProfile.deleteProfile.popup.warning=Vuoi davvero eliminare {0}? Questa operazione non può essere annullata. +user.userProfile.deleteProfile.popup.warning.yes=Sì, elimina il profilo +user.userProfile.deleteProfile.cannotDelete=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.userProfile.popup.noSelectedProfile=Si prega di selezionare un profilo utente dalla lista +user.userProfile.save.popup.noChangesToBeSaved=Non ci sono nuove modifiche da salvare + + +################################################################################ +# Create user profile +################################################################################ + +user.userProfile.new.step2.headline=Completa il tuo profilo +user.userProfile.new.step2.subTitle=Puoi aggiungere facoltativamente una dichiarazione personalizzata al tuo profilo e impostare le tue condizioni di scambio. +user.userProfile.new.statement=Dichiarazione +user.userProfile.new.statement.prompt=Aggiungi una dichiarazione facoltativa +user.userProfile.new.terms=Termini di scambio +user.userProfile.new.terms.prompt=Imposta facoltativamente i termini di scambio + + +################################################################################ +# Password +################################################################################ + +user.password.headline.setPassword=Imposta protezione password +user.password.headline.removePassword=Rimuovi protezione password +user.password.button.savePassword=Salva password +user.password.button.removePassword=Rimuovi password +user.password.enterPassword=Inserisci la password (min. 8 caratteri) +user.password.confirmPassword=Conferma password +user.password.savePassword.success=Protezione password abilitata. +user.password.removePassword.success=Protezione password rimossa. +user.password.removePassword.failed=Password non valida. + + +################################################################################ +# Payment accounts +################################################################################ + +user.paymentAccounts.headline=I tuoi conti di pagamento +user.paymentAccounts.noAccounts.headline=I tuoi conti di pagamento +user.paymentAccounts.noAccounts.info=Non hai ancora configurato nessun conto. +user.paymentAccounts.noAccounts.whySetup=Perché configurare un account è utile? +user.paymentAccounts.noAccounts.whySetup.info=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.paymentAccounts.noAccounts.whySetup.note=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.paymentAccounts.accountData=Informazioni del conto di pagamento +user.paymentAccounts.selectAccount=Seleziona un conto di pagamento +user.paymentAccounts.createAccount=Crea un nuovo conto di pagamento +user.paymentAccounts.deleteAccount=Elimina il conto di pagamento +user.paymentAccounts.createAccount.headline=Aggiungi un nuovo conto di pagamento +user.paymentAccounts.createAccount.subtitle=Il conto di pagamento viene memorizzato solo localmente sul tuo computer e inviato solo al tuo partner di scambio se decidi di farlo. +user.paymentAccounts.createAccount.accountName=Nome del conto di pagamento +user.paymentAccounts.createAccount.accountName.prompt=Imposta un nome univoco per il tuo conto di pagamento +user.paymentAccounts.createAccount.accountData.prompt=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.createAccount.sameName=Questo nome del conto è già utilizzato. Si prega di utilizzare un nome diverso. diff --git a/shared/domain/src/commonMain/resources/mobile/user_pcm.properties b/shared/domain/src/commonMain/resources/mobile/user_pcm.properties new file mode 100644 index 00000000..38aef7f7 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/user_pcm.properties @@ -0,0 +1,113 @@ +################################################################################ +# +# User module +# +################################################################################ + +user.userProfile.tooltip=Nickname: {0}\nBot ID: {1}\nProfile ID: {2}\n{3} +user.userProfile.tooltip.banned=Dis profile dey banned! +user.userProfile.userName.banned=[Banned] {0} +user.userProfile.livenessState=Last user activity: {0} ago +user.userProfile.livenessState.ageDisplay={0} don waka comot +user.userProfile.version=Version: {0} +# Dynamic values using TransportType.name() +# suppress inspection "UnusedProperty" +user.userProfile.addressByTransport.CLEAR=Clear net address: {0} +# suppress inspection "UnusedProperty" +user.userProfile.addressByTransport.TOR=Tor address: {0} +# suppress inspection "UnusedProperty" +user.userProfile.addressByTransport.I2P=I2P address: {0} + + +################################################################################ +# +# Desktop module / User (options) section +# +################################################################################ + +user.userProfile=User Profile +user.password=Password +user.paymentAccounts=Akaunt for Payment + + +################################################################################ +# User profile +################################################################################ + +user.bondedRoles.userProfile.select=Select user Profile +user.bondedRoles.userProfile.select.invalid=Abeg select user profile from di list +user.userProfile.comboBox.description=User Profile +user.userProfile.nymId=Bot ID +user.userProfile.nymId.tooltip=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.profileId=Profile ID +user.userProfile.profileId.tooltip=Di 'Profile ID' na di hash of di public key of dat user profile identity\nencoded as hexadecimal string. +user.userProfile.profileAge=Profile age +user.userProfile.profileAge.tooltip=Di 'Profile age' na di age for days of dat user profile. +user.userProfile.livenessState.description=Last user activity +user.userProfile.livenessState.tooltip=Di time wey don pass since di user profile don republish to di network because of user activity like mouse movements. +user.userProfile.reputation=Reputashin +user.userProfile.statement=Statement +user.userProfile.statement.prompt=Write optional statement +user.userProfile.statement.tooLong=Statement no fit pass {0} characters +user.userProfile.terms=Trayd terms +user.userProfile.terms.prompt=Write optional trade terms +user.userProfile.terms.tooLong=Trade terms no fit pass {0} characters + +user.userProfile.createNewProfile=Create new Profile +user.userProfile.learnMore=Why create new profile? +user.userProfile.deleteProfile=Delete Profile +user.userProfile.deleteProfile.popup.warning=You sure say you wan delete {0}? You no fit undo this action. +user.userProfile.deleteProfile.popup.warning.yes=Yes, delete Profile +user.userProfile.deleteProfile.cannotDelete=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.userProfile.popup.noSelectedProfile=Abeg select user profile from di list +user.userProfile.save.popup.noChangesToBeSaved=No new changes to save + + +################################################################################ +# Create user profile +################################################################################ + +user.userProfile.new.step2.headline=Complete your Profile +user.userProfile.new.step2.subTitle=You fit add personalized statement to your profile and set your trade terms, but e no dey compulsory. +user.userProfile.new.statement=Statement +user.userProfile.new.statement.prompt=Optional add statement +user.userProfile.new.terms=Your Trayd terms +user.userProfile.new.terms.prompt=Optional set Trayd terms + + +################################################################################ +# Password +################################################################################ + +user.password.headline.setPassword=Set password protection +user.password.headline.removePassword=Remove password protection +user.password.button.savePassword=Save password +user.password.button.removePassword=Remove password +user.password.enterPassword=Enter password (at least 8 characters) +user.password.confirmPassword=Confirm password +user.password.savePassword.success=Password protection don dey enabled. +user.password.removePassword.success=Password protection don dey removed. +user.password.removePassword.failed=Invalid password. + + +################################################################################ +# Payment accounts +################################################################################ + +user.paymentAccounts.headline=Your payment accounts +user.paymentAccounts.noAccounts.headline=Your payment accounts +user.paymentAccounts.noAccounts.info=You never set up any account yet. +user.paymentAccounts.noAccounts.whySetup=Why e good make you set up account? +user.paymentAccounts.noAccounts.whySetup.info=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.paymentAccounts.noAccounts.whySetup.note=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.paymentAccounts.accountData=Payment account information +user.paymentAccounts.selectAccount=Select Akaunt for Payment +user.paymentAccounts.createAccount=Create new payment Akaunt +user.paymentAccounts.deleteAccount=Delete payment Akaunt +user.paymentAccounts.createAccount.headline=Add new Akaunt for Payment +user.paymentAccounts.createAccount.subtitle=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.paymentAccounts.createAccount.accountName=Akaunt for Payment name +user.paymentAccounts.createAccount.accountName.prompt=Set unique name for your payment account +user.paymentAccounts.createAccount.accountData.prompt=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.createAccount.sameName=This account name don dey use before. Abeg use another name. diff --git a/shared/domain/src/commonMain/resources/mobile/user_pt_BR.properties b/shared/domain/src/commonMain/resources/mobile/user_pt_BR.properties new file mode 100644 index 00000000..9c9cc6f0 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/user_pt_BR.properties @@ -0,0 +1,113 @@ +################################################################################ +# +# User module +# +################################################################################ + +user.userProfile.tooltip=Apelido: {0}\nID do Bot: {1}\nID do Perfil: {2}\n{3} +user.userProfile.tooltip.banned=Este perfil está banido! +user.userProfile.userName.banned=[Banido] {0} +user.userProfile.livenessState=Última atividade do usuário: {0} atrás +user.userProfile.livenessState.ageDisplay={0} atrás +user.userProfile.version=Versão: {0} +# Dynamic values using TransportType.name() +# suppress inspection "UnusedProperty" +user.userProfile.addressByTransport.CLEAR=Endereço de rede limpo: {0} +# suppress inspection "UnusedProperty" +user.userProfile.addressByTransport.TOR=Endereço Tor: {0} +# suppress inspection "UnusedProperty" +user.userProfile.addressByTransport.I2P=Endereço I2P: {0} + + +################################################################################ +# +# Desktop module / User (options) section +# +################################################################################ + +user.userProfile=Perfil do usuário +user.password=Senha +user.paymentAccounts=Contas de pagamento + + +################################################################################ +# User profile +################################################################################ + +user.bondedRoles.userProfile.select=Selecionar perfil do usuário +user.bondedRoles.userProfile.select.invalid=Por favor, escolha um perfil de usuário da lista +user.userProfile.comboBox.description=Perfil do usuário +user.userProfile.nymId=ID do Bot +user.userProfile.nymId.tooltip=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.profileId=ID do Perfil +user.userProfile.profileId.tooltip=O 'ID do Perfil' é o hash da chave pública da identidade do perfil do usuário\ncodificado como string hexadecimal. +user.userProfile.profileAge=Idade do Perfil +user.userProfile.profileAge.tooltip=A 'Idade do Perfil' é a idade em dias desse perfil de usuário. +user.userProfile.livenessState.description=Última atividade do usuário +user.userProfile.livenessState.tooltip=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.reputation=Reputação +user.userProfile.statement=Declaração +user.userProfile.statement.prompt=Inserir declaração opcional +user.userProfile.statement.tooLong=A declaração não deve ser mais longa do que {0} caracteres +user.userProfile.terms=Termos de negociação +user.userProfile.terms.prompt=Inserir termos de negociação opcionais +user.userProfile.terms.tooLong=Os termos de negociação não devem ser mais longos do que {0} caracteres + +user.userProfile.createNewProfile=Criar novo perfil +user.userProfile.learnMore=Por que criar um novo perfil? +user.userProfile.deleteProfile=Excluir perfil +user.userProfile.deleteProfile.popup.warning=Você realmente deseja excluir {0}? Você não pode desfazer esta operação. +user.userProfile.deleteProfile.popup.warning.yes=Sim, excluir perfil +user.userProfile.deleteProfile.cannotDelete=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.userProfile.popup.noSelectedProfile=Por favor, escolha um perfil de usuário da lista +user.userProfile.save.popup.noChangesToBeSaved=Não há novas alterações a serem salvas + + +################################################################################ +# Create user profile +################################################################################ + +user.userProfile.new.step2.headline=Complete seu perfil +user.userProfile.new.step2.subTitle=Você pode opcionalmente adicionar uma declaração personalizada ao seu perfil e definir seus termos de comércio. +user.userProfile.new.statement=Declaração +user.userProfile.new.statement.prompt=Adicionar declaração (opcional) +user.userProfile.new.terms=Seus termos de comércio +user.userProfile.new.terms.prompt=Definir termos de comércio (opcional) + + +################################################################################ +# Password +################################################################################ + +user.password.headline.setPassword=Definir proteção por senha +user.password.headline.removePassword=Remover proteção por senha +user.password.button.savePassword=Salvar senha +user.password.button.removePassword=Remover senha +user.password.enterPassword=Digite a senha (mín. 8 caracteres) +user.password.confirmPassword=Confirmar senha +user.password.savePassword.success=Proteção por senha ativada. +user.password.removePassword.success=Proteção por senha removida. +user.password.removePassword.failed=Senha inválida. + + +################################################################################ +# Payment accounts +################################################################################ + +user.paymentAccounts.headline=Suas contas de pagamento +user.paymentAccounts.noAccounts.headline=Suas contas de pagamento +user.paymentAccounts.noAccounts.info=Você ainda não configurou nenhuma conta. +user.paymentAccounts.noAccounts.whySetup=Por que é útil configurar uma conta? +user.paymentAccounts.noAccounts.whySetup.info=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.paymentAccounts.noAccounts.whySetup.note=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.paymentAccounts.accountData=Informações da conta de pagamento +user.paymentAccounts.selectAccount=Selecionar conta de pagamento +user.paymentAccounts.createAccount=Criar nova conta de pagamento +user.paymentAccounts.deleteAccount=Excluir conta de pagamento +user.paymentAccounts.createAccount.headline=Adicionar nova conta de pagamento +user.paymentAccounts.createAccount.subtitle=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.paymentAccounts.createAccount.accountName=Nome da conta de pagamento +user.paymentAccounts.createAccount.accountName.prompt=Defina um nome único para sua conta de pagamento +user.paymentAccounts.createAccount.accountData.prompt=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.createAccount.sameName=Este nome de conta já está em uso. Por favor, use um nome diferente. diff --git a/shared/domain/src/commonMain/resources/mobile/user_ru.properties b/shared/domain/src/commonMain/resources/mobile/user_ru.properties new file mode 100644 index 00000000..f780cff1 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/user_ru.properties @@ -0,0 +1,113 @@ +################################################################################ +# +# User module +# +################################################################################ + +user.userProfile.tooltip=Прозвище: {0}\nID бота: {1}\nID профиля: {2}\n{3} +user.userProfile.tooltip.banned=Этот профиль забанен! +user.userProfile.userName.banned=[[Забанили]] {0} +user.userProfile.livenessState=Последняя активность пользователя: {0} назад +user.userProfile.livenessState.ageDisplay={0} назад +user.userProfile.version=Версия: {0} +# Dynamic values using TransportType.name() +# suppress inspection "UnusedProperty" +user.userProfile.addressByTransport.CLEAR=Очистить сетевой адрес: {0} +# suppress inspection "UnusedProperty" +user.userProfile.addressByTransport.TOR=Тор-адрес: {0} +# suppress inspection "UnusedProperty" +user.userProfile.addressByTransport.I2P=Адрес I2P: {0} + + +################################################################################ +# +# Desktop module / User (options) section +# +################################################################################ + +user.userProfile=Профиль пользователя +user.password=Пароль +user.paymentAccounts=Платежные счета + + +################################################################################ +# User profile +################################################################################ + +user.bondedRoles.userProfile.select=Выберите профиль пользователя +user.bondedRoles.userProfile.select.invalid=Выберите профиль пользователя из списка +user.userProfile.comboBox.description=Профиль пользователя +user.userProfile.nymId=Идентификатор бота +user.userProfile.nymId.tooltip=Идентификатор бота" генерируется из хэша открытого ключа этого\nидентификатора профиля пользователя.\nОн добавляется к нику в случае, если в сети есть несколько профилей пользователей с одним и тем же ником.\nв сети с одним и тем же ником, чтобы четко различать эти профили. +user.userProfile.profileId=Идентификатор профиля +user.userProfile.profileId.tooltip=Идентификатор профиля" - это хэш открытого ключа идентификации профиля пользователя.\nзакодированный как шестнадцатеричная строка. +user.userProfile.profileAge=Возраст профиля +user.userProfile.profileAge.tooltip=Возраст профиля" - это возраст в днях данного профиля пользователя. +user.userProfile.livenessState.description=Последняя активность пользователя +user.userProfile.livenessState.tooltip=Время, прошедшее с момента повторной публикации профиля пользователя в сети, вызванной действиями пользователя, например движениями мыши. +user.userProfile.reputation=Репутация +user.userProfile.statement=Заявление +user.userProfile.statement.prompt=Введите необязательное заявление +user.userProfile.statement.tooLong=Высказывание не должно быть длиннее {0} символов +user.userProfile.terms=Торговые условия +user.userProfile.terms.prompt=Введите дополнительные торговые условия +user.userProfile.terms.tooLong=Торговые условия не должны быть длиннее {0} символов + +user.userProfile.createNewProfile=Создать новый профиль +user.userProfile.learnMore=Зачем создавать новый профиль? +user.userProfile.deleteProfile=Удалить профиль +user.userProfile.deleteProfile.popup.warning=Вы действительно хотите удалить {0}? Вы не можете отменить эту операцию. +user.userProfile.deleteProfile.popup.warning.yes=Да, удалить профиль +user.userProfile.deleteProfile.cannotDelete=Удаление профиля пользователя запрещено\n\nЧтобы удалить этот профиль, сначала:\n- Удалите все сообщения, опубликованные в этом профиле\n- Закройте все личные каналы для этого профиля\n- Убедитесь, что у вас есть еще хотя бы один профиль + +user.userProfile.popup.noSelectedProfile=Выберите профиль пользователя из списка +user.userProfile.save.popup.noChangesToBeSaved=Нет новых изменений, которые нужно сохранить + + +################################################################################ +# Create user profile +################################################################################ + +user.userProfile.new.step2.headline=Заполните свой профиль +user.userProfile.new.step2.subTitle=По желанию вы можете добавить в свой профиль персональное заявление и установить свои торговые условия. +user.userProfile.new.statement=Заявление +user.userProfile.new.statement.prompt=Дополнительное заявление о добавлении +user.userProfile.new.terms=Ваши торговые условия +user.userProfile.new.terms.prompt=Опционально устанавливайте торговые условия + + +################################################################################ +# Password +################################################################################ + +user.password.headline.setPassword=Установите защиту паролем +user.password.headline.removePassword=Снять защиту паролем +user.password.button.savePassword=Сохранить пароль +user.password.button.removePassword=Удалить пароль +user.password.enterPassword=Введите пароль (минимум 8 символов) +user.password.confirmPassword=Подтвердите пароль +user.password.savePassword.success=Защита паролем включена. +user.password.removePassword.success=Снята защита паролем. +user.password.removePassword.failed=Неверный пароль. + + +################################################################################ +# Payment accounts +################################################################################ + +user.paymentAccounts.headline=Ваши платежные счета +user.paymentAccounts.noAccounts.headline=Ваши платежные счета +user.paymentAccounts.noAccounts.info=Вы еще не создали ни одной учетной записи. +user.paymentAccounts.noAccounts.whySetup=Почему создание учетной записи полезно? +user.paymentAccounts.noAccounts.whySetup.info=Когда вы продаете биткойн, вам необходимо предоставить покупателю реквизиты своего платежного счета для получения фиатной оплаты. Заранее созданные счета позволяют быстро и удобно получить доступ к этой информации во время сделки. +user.paymentAccounts.noAccounts.whySetup.note=Справочная информация:\nДанные вашего аккаунта хранятся исключительно локально на вашем компьютере и передаются вашему торговому партнеру только по вашему желанию. +user.paymentAccounts.accountData=Информация о платежном счете +user.paymentAccounts.selectAccount=Выберите платежный счет +user.paymentAccounts.createAccount=Создайте новый платежный счет +user.paymentAccounts.deleteAccount=Удаление платежного аккаунта +user.paymentAccounts.createAccount.headline=Добавить новый платежный счет +user.paymentAccounts.createAccount.subtitle=Платежный счет хранится только локально на вашем компьютере и отправляется вашему торговому партнеру только в том случае, если вы решите это сделать. +user.paymentAccounts.createAccount.accountName=Название платежного счета +user.paymentAccounts.createAccount.accountName.prompt=Задайте уникальное название для вашего платежного счета +user.paymentAccounts.createAccount.accountData.prompt=Введите информацию о платежном счете (например, данные банковского счета), которую вы хотите передать потенциальному покупателю биткоинов, чтобы он мог перевести вам сумму в национальной валюте. +user.paymentAccounts.createAccount.sameName=Это имя учетной записи уже используется. Пожалуйста, используйте другое имя. diff --git a/shared/domain/src/commonMain/resources/mobile/wallet.properties b/shared/domain/src/commonMain/resources/mobile/wallet.properties new file mode 100644 index 00000000..e24293d6 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/wallet.properties @@ -0,0 +1,25 @@ +###################################################### +## Wallet +###################################################### + +wallet.dashboard=Dashboard +wallet.send=Send +wallet.receive=Receive +wallet.txs=Transactions +wallet.settings=Settings + +wallet.yourBalance=Your balance +wallet.sendBtc=Send Bitcoin +wallet.receiveBtc=Receive Bitcoin + +wallet.send.address=Receiver's address +wallet.send.amount=Bitcoin amount to send +wallet.send.password=Wallet password +wallet.send.sendBtc=Send Bitcoin + +wallet.receive.address=Unused address +wallet.receive.copy=Copy address + +wallet.txs.txId=Transaction ID +wallet.txs.amount=Amount in BTC +wallet.txs.confirmations=Confirmations \ No newline at end of file diff --git a/shared/domain/src/commonMain/resources/mobile/wallet_af_ZA.properties b/shared/domain/src/commonMain/resources/mobile/wallet_af_ZA.properties new file mode 100644 index 00000000..873b9188 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/wallet_af_ZA.properties @@ -0,0 +1,25 @@ +###################################################### +## Wallet +###################################################### + +wallet.dashboard=Beursie-dashboard +wallet.send=Stuur +wallet.receive=Ontvang +wallet.txs=Transaksies +wallet.settings=Instellings + +wallet.yourBalance=Jou balans +wallet.sendBtc=Stuur Bitcoin +wallet.receiveBtc=Ontvang Bitcoin + +wallet.send.address=Ontvanger se adres +wallet.send.amount=Bitcoin bedrag om te stuur +wallet.send.password=Beursie wagwoord +wallet.send.sendBtc=Stuur Bitcoin + +wallet.receive.address=Ongenoemde adres +wallet.receive.copy=Kopieer adres + +wallet.txs.txId=Transaksie-ID +wallet.txs.amount=Bedrag in BTC +wallet.txs.confirmations=Bevestigings diff --git a/shared/domain/src/commonMain/resources/mobile/wallet_cs.properties b/shared/domain/src/commonMain/resources/mobile/wallet_cs.properties new file mode 100644 index 00000000..dfb8bd94 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/wallet_cs.properties @@ -0,0 +1,25 @@ +###################################################### +## Wallet +###################################################### + +wallet.dashboard=Přehled +wallet.send=Odeslat +wallet.receive=Přijmout +wallet.txs=Transakce +wallet.settings=Nastavení + +wallet.yourBalance=Vaše zůstatek +wallet.sendBtc=Odeslat Bitcoiny +wallet.receiveBtc=Přijmout Bitcoiny + +wallet.send.address=Adresa příjemce +wallet.send.amount=Částka v Bitcoinu k odeslání +wallet.send.password=Heslo k peněžence +wallet.send.sendBtc=Odeslat Bitcoiny + +wallet.receive.address=Nevyužitá adresa +wallet.receive.copy=Kopírovat adresu + +wallet.txs.txId=ID transakce +wallet.txs.amount=Částka v BTC +wallet.txs.confirmations=Potvrzení diff --git a/shared/domain/src/commonMain/resources/mobile/wallet_de.properties b/shared/domain/src/commonMain/resources/mobile/wallet_de.properties new file mode 100644 index 00000000..be9ef9fd --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/wallet_de.properties @@ -0,0 +1,25 @@ +###################################################### +## Wallet +###################################################### + +wallet.dashboard=Dashboard +wallet.send=Senden +wallet.receive=Empfangen +wallet.txs=Transaktionen +wallet.settings=Einstellungen + +wallet.yourBalance=Ihr Kontostand +wallet.sendBtc=Bitcoin senden +wallet.receiveBtc=Bitcoin empfangen + +wallet.send.address=Empfängeradresse +wallet.send.amount=Zu sendender Bitcoin-Betrag +wallet.send.password=Wallet-Passwort +wallet.send.sendBtc=Bitcoin senden + +wallet.receive.address=Neue Adresse +wallet.receive.copy=Adresse kopieren + +wallet.txs.txId=Transaktions-ID +wallet.txs.amount=Betrag in BTC +wallet.txs.confirmations=Bestätigungen diff --git a/shared/domain/src/commonMain/resources/mobile/wallet_es.properties b/shared/domain/src/commonMain/resources/mobile/wallet_es.properties new file mode 100644 index 00000000..72d9ca74 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/wallet_es.properties @@ -0,0 +1,25 @@ +###################################################### +## Wallet +###################################################### + +wallet.dashboard=Tablero +wallet.send=Enviar +wallet.receive=Recibir +wallet.txs=Transacciones +wallet.settings=Ajustes + +wallet.yourBalance=Tu saldo +wallet.sendBtc=Enviar Bitcoin +wallet.receiveBtc=Recibir Bitcoin + +wallet.send.address=Dirección del destinatario +wallet.send.amount=Cantidad de Bitcoin a enviar +wallet.send.password=Contraseña de la cartera +wallet.send.sendBtc=Enviar Bitcoin + +wallet.receive.address=Dirección no utilizada +wallet.receive.copy=Copiar dirección + +wallet.txs.txId=ID de la transacción +wallet.txs.amount=Cantidad en BTC +wallet.txs.confirmations=Confirmaciones diff --git a/shared/domain/src/commonMain/resources/mobile/wallet_it.properties b/shared/domain/src/commonMain/resources/mobile/wallet_it.properties new file mode 100644 index 00000000..13d8977f --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/wallet_it.properties @@ -0,0 +1,25 @@ +###################################################### +## Wallet +###################################################### + +wallet.dashboard=Dashboard +wallet.send=Invia +wallet.receive=Ricevi +wallet.txs=Transazioni +wallet.settings=Impostazioni + +wallet.yourBalance=Il tuo saldo +wallet.sendBtc=Invia Bitcoin +wallet.receiveBtc=Ricevi Bitcoin + +wallet.send.address=Indirizzo del destinatario +wallet.send.amount=Quantità di Bitcoin da inviare +wallet.send.password=Password del portafoglio +wallet.send.sendBtc=Invia Bitcoin + +wallet.receive.address=Indirizzo non utilizzato +wallet.receive.copy=Copia indirizzo + +wallet.txs.txId=ID transazione +wallet.txs.amount=Importo in BTC +wallet.txs.confirmations=Conferme diff --git a/shared/domain/src/commonMain/resources/mobile/wallet_pcm.properties b/shared/domain/src/commonMain/resources/mobile/wallet_pcm.properties new file mode 100644 index 00000000..a49545a6 --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/wallet_pcm.properties @@ -0,0 +1,25 @@ +###################################################### +## Wallet +###################################################### + +wallet.dashboard=Dashboard +wallet.send=Send +wallet.receive=Receiv +wallet.txs=Transakshons +wallet.settings=Settings + +wallet.yourBalance=Your Balance +wallet.sendBtc=Send Bitcoin +wallet.receiveBtc=Receiv Bitcoin + +wallet.send.address=Receiver address +wallet.send.amount=Amount of Bitcoin to send +wallet.send.password=Akaunt password +wallet.send.sendBtc=Send Bitcoin + +wallet.receive.address=Unused address +wallet.receive.copy=Copy address + +wallet.txs.txId=ID Transakshon +wallet.txs.amount=Amount for BTC +wallet.txs.confirmations=Confirmeshon diff --git a/shared/domain/src/commonMain/resources/mobile/wallet_pt_BR.properties b/shared/domain/src/commonMain/resources/mobile/wallet_pt_BR.properties new file mode 100644 index 00000000..0f5e3fad --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/wallet_pt_BR.properties @@ -0,0 +1,25 @@ +###################################################### +## Wallet +###################################################### + +wallet.dashboard=Painel de Controle +wallet.send=Enviar +wallet.receive=Receber +wallet.txs=Transações +wallet.settings=Configurações + +wallet.yourBalance=Seu saldo +wallet.sendBtc=Enviar Bitcoin +wallet.receiveBtc=Receber Bitcoin + +wallet.send.address=Endereço do destinatário +wallet.send.amount=Quantidade de Bitcoin a enviar +wallet.send.password=Senha da carteira +wallet.send.sendBtc=Enviar Bitcoin + +wallet.receive.address=Endereço não utilizado +wallet.receive.copy=Copiar endereço + +wallet.txs.txId=ID da Transação +wallet.txs.amount=Quantidade em BTC +wallet.txs.confirmations=Confirmações diff --git a/shared/domain/src/commonMain/resources/mobile/wallet_ru.properties b/shared/domain/src/commonMain/resources/mobile/wallet_ru.properties new file mode 100644 index 00000000..2342e31b --- /dev/null +++ b/shared/domain/src/commonMain/resources/mobile/wallet_ru.properties @@ -0,0 +1,25 @@ +###################################################### +## Wallet +###################################################### + +wallet.dashboard=Приборная панель +wallet.send=Отправить +wallet.receive=Получить +wallet.txs=Транзакции +wallet.settings=Настройки + +wallet.yourBalance=Ваш баланс +wallet.sendBtc=Отправить биткойн +wallet.receiveBtc=Получить биткойн + +wallet.send.address=Адрес получателя +wallet.send.amount=Сумма биткойнов для отправки +wallet.send.password=Пароль кошелька +wallet.send.sendBtc=Отправить биткойн + +wallet.receive.address=Неиспользуемый адрес +wallet.receive.copy=Адрес копирования + +wallet.txs.txId=Идентификатор транзакции +wallet.txs.amount=Сумма в BTC +wallet.txs.confirmations=Подтверждение 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 3940639a..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 @@ -12,15 +12,24 @@ import kotlinx.cinterop.addressOf import kotlinx.cinterop.refTo 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.NSDictionary +import platform.Foundation.NSLocale import platform.Foundation.NSString -import platform.Foundation.stringWithFormat -import platform.UIKit.* 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 @OptIn(ExperimentalSettingsImplementation::class) actual fun getPlatformSettings(): Settings { @@ -38,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) } } } @@ -49,6 +58,33 @@ class IOSPlatformInfo : PlatformInfo { actual fun getPlatformInfo(): PlatformInfo = IOSPlatformInfo() +actual fun loadProperties(fileName: String): Map { + val bundle = NSBundle.mainBundle + /*val path = bundle.pathForResource(fileName.removeSuffix(".properties"), "properties") + ?: throw IllegalArgumentException("Resource not found: $fileName")*/ + val path = bundle.pathForResource(fileName.removeSuffix(".properties"), "properties") + // FIXME resources not found yet + if (path == null) { + return emptyMap() + } + + val properties = NSDictionary.dictionaryWithContentsOfFile(path) as NSDictionary? + ?: throw IllegalStateException("Failed to load properties from $path") + + return properties.entriesAsMap() +} + +fun NSDictionary.entriesAsMap(): Map { + val map = mutableMapOf() + val keys = this.allKeys as List<*> // `allKeys` provides a list of keys + for (key in keys) { + val keyString = key.toString() + val valueString = this.objectForKey(key).toString() + map[keyString] = valueString + } + return map +} + @Serializable(with = PlatformImageSerializer::class) actual class PlatformImage(val image: UIImage) { actual fun serialize(): ByteArray { diff --git a/shared/presentation/src/commonMain/kotlin/network/bisq/mobile/presentation/ui/App.kt b/shared/presentation/src/commonMain/kotlin/network/bisq/mobile/presentation/ui/App.kt index 3d7cf4f3..4e105c24 100644 --- a/shared/presentation/src/commonMain/kotlin/network/bisq/mobile/presentation/ui/App.kt +++ b/shared/presentation/src/commonMain/kotlin/network/bisq/mobile/presentation/ui/App.kt @@ -10,6 +10,7 @@ import org.jetbrains.compose.ui.tooling.preview.Preview import kotlinx.coroutines.flow.StateFlow import network.bisq.mobile.i18n.AppStrings +import network.bisq.mobile.i18n.I18nSupport import network.bisq.mobile.presentation.ViewPresenter import network.bisq.mobile.presentation.ui.components.SwipeBackIOSNavigationHandler import network.bisq.mobile.presentation.ui.helpers.RememberPresenterLifecycle @@ -53,6 +54,8 @@ fun App() { }) val lyricist = rememberStrings() + // TODO pass user language code + I18nSupport.initialize("en") BisqTheme(darkTheme = true) { ProvideStrings(lyricist) { 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 8da98ab7..ece64e83 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 @@ -26,6 +28,7 @@ import androidx.compose.ui.graphics.Color import androidx.compose.ui.text.style.TextAlign import androidx.compose.ui.unit.dp import kotlinx.coroutines.flow.StateFlow +import network.bisq.mobile.i18n.i18n import network.bisq.mobile.presentation.ViewPresenter import network.bisq.mobile.presentation.ui.components.atoms.BisqText import network.bisq.mobile.presentation.ui.components.layout.BisqScrollLayout @@ -84,7 +87,7 @@ fun GettingStartedScreen() { title = presenter.title, bulletPoints = presenter.bulletPoints, primaryButtonText = "Start Trading", - footerLink = "Learn more" + footerLink = "action.learnMore".i18n() ) } }